This is analysis of complaints for an automobile company. This includes topic analysis and sentiment analysis.
Loading the required packages for the data analysis
library(ggplot2)
library(syuzhet)
library(NLP)
library(tm)
library(slam)
library(openNLP)
#library(quanteda)
library(lexRankr)
library(LSAfun)
library(tidyverse) # data manipulation & plotting
library(tidytext) # provides additional text mining functions
library(RWeka)
library(cluster)
library(dendextend)
library(wordcloud)
library(topicmodels)
library(Rmpfr)
library(dplyr)
library(reshape2)
library(lazyeval)
library(stringi)
library(stringr)
library(corrplot)
library(shiny)
library(LDAvis)
library(servr)
library(igraph)
library(visNetwork)
library(RColorBrewer)
library(knitr)
library(xtable)
All user defined functions are currently hidden
compDF <- read.csv("D:/Data Science/Automobile complaint analysis/input/auto_complaint.csv",
stringsAsFactors = F)
print(xtable(strtable(compDF)),
type="html",include.rownames = FALSE)
| variable | class | levels | examples |
|---|---|---|---|
| S.No. | integer | 1, 2, 3, 4, … | |
| Complaint.Heading | character | NA, … | |
| Username | character | “”, “Abhilash Balakrishnan”, “Ashok Matadeen Kumar”, … | |
| Complaint.Text | character | NA, … |
comp_sum_lsa_df <- data.frame()
comp_sum_lex_df <- data.frame()
final_summary <- c()
final_summary_pct <- c()
for(i in 1:nrow(compDF))
{
#print(i)
comp_sum_lsa <- genericSummary_LSA(compDF[i,"Complaint.Text"],
k_min=2,
min=5)
complaint_summary_LSA_DF <- comp_sum_lsa$summary.text
complaint_summary_LSA_DF <- complaint_summary_LSA_DF[
order(complaint_summary_LSA_DF$snum),]
complaint_summary_LSA <- paste(complaint_summary_LSA_DF$summary.sentences,
collapse = ". \n")
LSA_summarised <- comp_sum_lsa$is_summarised
LSA_compression_pct <- comp_sum_lsa$compression_pct
comp_sum_lsa_df <- rbind.data.frame(comp_sum_lsa_df,c(complaint_summary_LSA,
LSA_summarised,
LSA_compression_pct),
stringsAsFactors = FALSE)
comp_sum_lex <- lexrank_summary(compDF[i,"Complaint.Text"],
min_sum_len = 2,
min_word_sentence = 5)
complaint_summary_lexrank_DF <- comp_sum_lex$summary.text
complaint_summary_lexrank_DF <- complaint_summary_lexrank_DF[
order(complaint_summary_lexrank_DF$snum),]
complaint_summary_lexrank <- paste(complaint_summary_lexrank_DF$summary.sentences,
collapse = ". \n")
lexrank_summarised <- comp_sum_lex$is_summarised
lexrank_compression_pct <- comp_sum_lex$compression_pct
comp_sum_lex_df <- rbind.data.frame(comp_sum_lex_df,c(complaint_summary_lexrank,
lexrank_summarised,
lexrank_compression_pct),
stringsAsFactors = FALSE)
if(LSA_summarised == "Y" & lexrank_summarised == "Y")
{
final_summaryDF <- rbind.data.frame(complaint_summary_LSA_DF,
complaint_summary_lexrank_DF,
stringsAsFactors = F)
final_summaryDF <- final_summaryDF[!duplicated(final_summaryDF$snum), ]
final_summaryDF$summary.sentences <- trimws(gsub("\\. |\\\n",
" ",final_summaryDF$summary.sentences))
final_summaryDF <- final_summaryDF[order(final_summaryDF$snum),]
final_summary <- c(final_summary,
paste(final_summaryDF$summary.sentences,
collapse = ". \n"))
final_summary_pct <- c(final_summary_pct,
round(((stri_count(compDF[i,"Complaint.Text"],
regex="\\S+") -
stri_count(final_summary[i],
regex="\\S+")) /
stri_count(compDF[i,"Complaint.Text"],
regex="\\S+")) * 100,
digits = 2))
} else if (LSA_summarised == "Y")
{
final_summary <- c(final_summary,complaint_summary_LSA)
final_summary_pct <- c(final_summary_pct,LSA_compression_pct)
} else if (lexrank_summarised == "Y")
{
final_summary <- c(final_summary,complaint_summary_lexrank)
final_summary_pct <- c(final_summary_pct,lexrank_compression_pct)
} else {
final_summary <- c(final_summary,"No Summary possible")
final_summary_pct <- c(final_summary_pct,0)
}
}
names(comp_sum_lsa_df) <- c("complaint_summary_LSA",
"LSA_summarised",
"LSA_compression_pct")
names(comp_sum_lex_df) <- c("complaint_summary_lexrank",
"lexrank_summarised",
"lexrank_compression_pct")
# test <- cbind.data.frame(comp_sum_lsa_df,comp_sum_lex_df,
# final_summary = final_summary,
# final_compression_pct = final_summary_pct,
# stringsAsFactors = FALSE)
compDF <- cbind.data.frame(compDF,comp_sum_lsa_df,comp_sum_lex_df,
final_summary = final_summary,
final_compression_pct = final_summary_pct,
stringsAsFactors = FALSE)
interim_directory <- "D:/Data Science/Automobile complaint analysis/processed_data"
interim_file = paste(interim_directory,"/automobile_customer_complaint_summary_",
format(Sys.Date(), "%Y%m%d"),".csv",sep="")
write.csv(compDF,interim_file,row.names=FALSE)
print(paste(" \nFollowing interim file created - ",interim_file,sep=""))
[1] " interim file created - D:/Data Science/Automobile complaint analysis/processed_data/automobile_customer_complaint_summary_20171127.csv"
Visualizing POS data for few complaints
sample_pos <- tagPOS(compDF[1,"complaint_summary"])
sample_pos$POStagged
[1] “My/PRP$ vehicle/NN no/RB :/: AS/IN 01/CD BV/NNP 5458/CD Hyundai/NNP Eon/NNP bought/VBD in/IN the/DT month/NN of/IN November/NNP 2015/CD ./. But/CC after/IN that/DT every/DT day/NN they/PRP promises/VBZ to/TO return/VB my/PRP$ car/NN on/IN next/JJ day/NN”
extractPOS(compDF[831,"complaint_summary"],c("RB","NN","JJ","VBN"))
extractPOS(compDF[545,"complaint_summary"],c("RB"))
[1] “Later on later immediately ( ) back Kindly as soon”
We’ll extract only following POS for further analysis
RB -> Adverb
NN -> Noun, singular or mass, including NNP -> Proper noun, singular (and plural)
JJ -> Adjective
VBN -> Verb, past participle
comp_keywords <- lapply(compDF[,"complaint_summary"],
extractPOS,
POSregex_list = c("RB","NN","JJ","VBN"))
#POSregex_exclude_list = c("NNP"))
comp_keywordsDF <- as.data.frame(do.call(rbind,comp_keywords))
comp_keywordsDF[,1] <- as.character(comp_keywordsDF[,1])
comp_keywordsDF <- cbind(compDF$S.No.,comp_keywordsDF,
stringsAsFactors = FALSE)
names(comp_keywordsDF) <- c("ID","content")
recommended_stop_words <- suggest_stop_words(comp_keywordsDF,1:3,0.999)
# print(xtable(recommended_stop_words),
# type="html",include.rownames = FALSE)
recom_stop_words_file <- "D:/Data Science/Automobile complaint analysis/processed_data/suggested_stop_words.csv"
write.csv(recommended_stop_words,recom_stop_words_file,row.names=FALSE)
print(paste(" \nFollowing output file created - ",recom_stop_words_file,sep=""))
[1] " output file created - D:/Data Science/Automobile complaint analysis/processed_data/suggested_stop_words.csv"
These are only recommended stop words. Need to use single words stop words from the list
#special_symbols <- c("<p>","</p>","<blockquote>","</blockquote>")
stop_words_file <- "D:/Data Science/Automobile complaint analysis/input/stop_words.csv"
content_DTM_1 <- dtm.generate(comp_keywordsDF,
1,0.99,
#spl_sym = special_symbols,
my_stop_word_file = stop_words_file,
keep.id=TRUE,
doIDF = FALSE)
term1_tfidf <- tapply(content_DTM_1$v/slam::row_sums(content_DTM_1)[content_DTM_1$i],
content_DTM_1$j, mean) *
log2(tm::nDocs(content_DTM_1)/slam::col_sums(content_DTM_1 > 0))
summary(term1_tfidf)
Min. 1st Qu. Median Mean 3rd Qu. Max. 0.7684 1.0191 1.1366 1.2010 1.3156 2.4683
term1_tfidf_iqr <- summary(term1_tfidf)[5] - summary(term1_tfidf)[2]
content_DTM_1.reduced <- content_DTM_1[,
term1_tfidf >= (summary(term1_tfidf)[2] - 1.5 * term1_tfidf_iqr)]
# term1_tfidf <= (summary(term1_tfidf)[5] + 1.5 * term1_tfidf_iqr)]
# content_DTM_1.reduced <- content_DTM_1[,
# term1_tfidf >= (summary(term1_tfidf)[3])]
summary(slam::col_sums(content_DTM_1.reduced))
Min. 1st Qu. Median Mean 3rd Qu. Max. 26.00 35.00 47.50 62.60 69.25 264.00
wf_content_DTM_1 <- wf.generate(dtm=content_DTM_1.reduced,
wc_freq = 50,
wc_freq_scale = c(3, .3))
content_DTM_2 <- dtm.generate(comp_keywordsDF,
2,0.999,
#spl_sym = special_symbols,
my_stop_word_file = stop_words_file,
keep.id=TRUE,
doIDF = FALSE)
term2_tfidf <- tapply(content_DTM_2$v/slam::row_sums(content_DTM_2)[content_DTM_2$i],
content_DTM_2$j, mean) *
log2(tm::nDocs(content_DTM_2)/slam::col_sums(content_DTM_2 > 0))
summary(term2_tfidf)
Min. 1st Qu. Median Mean 3rd Qu. Max. 1.360 3.821 4.851 4.994 5.928 9.701
term2_tfidf_iqr <- summary(term2_tfidf)[5] - summary(term2_tfidf)[2]
content_DTM_2.reduced <- content_DTM_2[,
term2_tfidf >= (summary(term2_tfidf)[2] - 1.5 * term2_tfidf_iqr)]
# term2_tfidf <= (summary(term2_tfidf)[5] + 1.5 * term2_tfidf_iqr)]
# content_DTM_2.reduced <- content_DTM_2[,
# term2_tfidf >= (summary(term2_tfidf)[2])]
summary(slam::col_sums(content_DTM_2.reduced))
Min. 1st Qu. Median Mean 3rd Qu. Max. 3.000 3.000 4.000 4.903 5.000 29.000
#content_DTM_2.reduced$v <- content_DTM_2.reduced$v * (2^2)
wf_content_DTM_2 <- wf.generate(dtm=content_DTM_2.reduced,
wc_freq = 50,
wc_freq_scale = c(2, .2))
content_DTM_3 <- dtm.generate(comp_keywordsDF,
3,0.999,
#spl_sym = special_symbols,
my_stop_word_file = stop_words_file,
keep.id=TRUE,
doIDF = FALSE)
term3_tfidf <- tapply(content_DTM_3$v/slam::row_sums(content_DTM_3)[content_DTM_3$i],
content_DTM_3$j, mean) *
log2(tm::nDocs(content_DTM_3)/slam::col_sums(content_DTM_3 > 0))
summary(term3_tfidf)
Min. 1st Qu. Median Mean 3rd Qu. Max. 8.964 9.597 9.701 9.557 9.701 9.701
term3_tfidf_iqr <- summary(term3_tfidf)[5] - summary(term3_tfidf)[2]
content_DTM_3.reduced <- content_DTM_3[,
term3_tfidf >= (summary(term3_tfidf)[2] - 1.5 * term3_tfidf_iqr)]
# term3_tfidf <= (summary(term3_tfidf)[5] + 1.5 * term3_tfidf_iqr)]
# content_DTM_3.reduced <- content_DTM_3[,
# term3_tfidf >= (summary(term3_tfidf))[2]]
summary(slam::col_sums(content_DTM_3.reduced))
Min. 1st Qu. Median Mean 3rd Qu. Max. 3 3 3 3 3 3
#content_DTM_3.reduced$v <- content_DTM_3.reduced$v * (3^3)
wf_content_DTM_3 <- wf.generate(dtm=content_DTM_3.reduced,
wc_freq = 50,
wc_freq_scale = c(2, .2))
content_DTM <- cbind(content_DTM_3.reduced,content_DTM_2.reduced)
content_DTM.uncl <- remove.unclustered.dtm(content_DTM)
wf_content_DTM.uncl <- wf.generate(dtm=content_DTM.uncl,
wc_freq = 50,
wc_freq_scale = c(2.5, .25),
seperator = TRUE)
content.lda.list <- generate.lda(content_DTM.uncl)
[1] " 2017-09-28 02:15:08 : Iteration 1 - coefficient: -0.753493922260062 - # topics: 55 " [1] " next iteration topic_num_interval: 5 , topic_start_num: 10 , topic_end_num: 60 "
[1] " 2017-09-28 02:16:33 : Iteration 2 - coefficient: -0.944815349631972 - # topics: 15 " [1] " next iteration topic_num_interval: 5 , topic_start_num: 2 , topic_end_num: 20 "
[1] " 2017-09-28 02:16:43 : Iteration 3 - coefficient: 0.897208180625426 - # topics: 12 " [1] " next iteration topic_num_interval: 2 , topic_start_num: 8 , topic_end_num: 16 "
[1] " 2017-09-28 02:16:58 : Iteration 4 - coefficient: -0.240864428682886 - # topics: 12 " [1] " next iteration topic_num_interval: 1 , topic_start_num: 10 , topic_end_num: 14 "
[1] " 2017-09-28 02:17:13 : Iteration 5 - coefficient: 0.778270068918052 - # topics: 13 "
content.lda.model <- content.lda.list$lda_model
content.lda.list$lda_plot
complain.topics <- topicmodels::topics(content.lda.model, 1)
## In this case I am returning the top 30 terms.
complain.topics.terms <- as.data.frame(topicmodels::terms(content.lda.model, 30),
stringsAsFactors = FALSE)
print(xtable(complain.topics.terms[,1:5]),
type="html",include.rownames = FALSE)
| Topic 1 | Topic 2 | Topic 3 | Topic 4 | Topic 5 |
|---|---|---|---|---|
| sale person | show room | music system | clutch plate | consum court |
| engin oil | extend warranti | air condit | consum forum | front tyre |
| spare wheel | spare part | full payment | insur polici | gear box |
| warranti purchas | front side | ac vent | part part | registr number |
| bad qualiti | corpor discount | social media | chang clutch | seat cover |
| balanc amount | purchas elit | corpor bonus | due faulti | mud flap |
| book deliveri | book elit | front bumper | toll free | delay deliveri |
| deliveri deliveri | driver seat | insur agent | advanc amount | free cost |
| final bill | moti nagar | sport model | bad experi | full amount |
| head gasket | fog light | steer wheel | deliveri accessori | labour charg |
| peopl unabl | forc book | accid repair | front wheel | ac ac |
| poor pickup | insur damag | deliveri repair | paid amount | accid side |
| reason cancel | insur paper | driver side | promis deliveri | batteri batteri |
| recent purchas | posit respons | insur amount | registr certif | bharti insur |
| santa fe | rc book | number plate | status deliveri | exact status |
| vide invoic | repair bodi | popular muvattupuzha | engin glaem | middl road |
| engin engin oil | singl hand | replac part | feedback repair | part cover |
| rear power window | sudden steer | side road | full amount | part inform |
| ab model | singl hand driven | side tyre | full payment | person reason |
| amount deliveri | batteri discharg | tamil nadu | hdfc bank | proper solut |
| bodi cover | black smoke | tyre side | purchas rd | revers gear |
| book cancel | book price | udyog vihar | registr fee | black smoke |
| broken accid | caus due | worst experi | registr paper | deliveri delay |
| chang engin | condit damag | ac told | side door | deliveri told |
| final showroom | deliveri pm | alloy wheel | charg bill | engin number |
| km run | engin chassi | amount refund | colour model | job card |
| matter matter | insur hdfc | bill amount | earn money | kanpur road |
| mileag kms | mileag mileag | brake pad | fault tyre | mithila road |
| nois engin | money paid | cng kit | high level | origin part |
| origin part | order part | consum court | lot due | payment made |
# Creates a dataframe to store the complaint Number and the most likely topic
doctopics.df <- as.data.frame(complain.topics)
doctopics.df <- dplyr::mutate(doctopics.df,
complain_id = rownames(doctopics.df))
colnames(doctopics.df)[1] <- "topic_id"
doctopics.df$complain_id <- as.integer(doctopics.df$complain_id)
## Adds topic number to original dataframe of lessons
comp_topicDF <- dplyr::inner_join(compDF, doctopics.df,
by = c("S.No."="complain_id"))
topicTerms <- tidyr::gather(complain.topics.terms, Topic)
topicTerms <- cbind(topicTerms, Rank = rep(1:30))
topTerms <- dplyr::filter(topicTerms, Rank < 6)
topTerms <- dplyr::mutate(topTerms, Topic = stringr::word(Topic, 2))
topTerms$Topic <- as.numeric(topTerms$Topic)
topicLabel <- data.frame()
for (i in 1:length(complain.topics.terms)){
z <- dplyr::filter(topTerms, Topic == i)
l <- as.data.frame(glue::collapse(z[,2], sep = "|" ),
stringsAsFactors = FALSE)
topicLabel <- rbind(topicLabel, l)
}
topicLabel <- cbind(topicLabel,rownames(topicLabel))
colnames(topicLabel) <- c("Label","topic_id")
topicLabel$topic_id <- as.numeric(as.character(topicLabel$topic_id))
comp_topicDF <- dplyr::inner_join(comp_topicDF,topicLabel,by="topic_id")
print(xtable(topicLabel),
type="html",include.rownames = FALSE)
| Label | topic_id |
|---|---|
| sale person|engin oil|spare wheel|warranti purchas|bad qualiti | 1.00 |
| show room|extend warranti|spare part|front side|corpor discount | 2.00 |
| music system|air condit|full payment|ac vent|social media | 3.00 |
| clutch plate|consum forum|insur polici|part part|chang clutch | 4.00 |
| consum court|front tyre|gear box|registr number|seat cover | 5.00 |
| alloy wheel|engin engin|engin oil|wheel align|hard earn | 6.00 |
| engin part|extra money|good condit|nois engin|steer jam | 7.00 |
| registr number|cover warranti|engin oil|bodi cover|chasi number | 8.00 |
| book amount|work shop|insur claim|warranti period|repair work | 9.00 |
| chassi number|left side|air bag|gear gear|part chang | 10.00 |
| top model|part replac|tyre replac|bank loan|clutch plate | 11.00 |
| manufactur defect|book book|sale execut|job card|driven km | 12.00 |
| bodi shop|test drive|repair cost|exchang bonus|power window | 13.00 |
comp_keywordsDF.reduced <- comp_keywordsDF[comp_keywordsDF$ID %in%
doctopics.df$complain_id,]
m <- list(id = "ID", content = colnames(comp_keywordsDF.reduced)[2])
myReader <- readTabular(mapping = m)
complain.corpus <- VCorpus(DataframeSource(comp_keywordsDF.reduced),
readerControl = list(reader = myReader))
complain.json <- topicmodels_json_ldavis(content.lda.model,
complain.corpus, content_DTM.uncl)
serVis(complain.json,
out.dir = 'vis2',
open.browser=FALSE)
word.topics <- as.data.frame(t(topicmodels::posterior(content.lda.model)$term))
word <- rownames(word.topics)
word.topics <- cbind.data.frame(word,word.topics,
stringsAsFactors = F)
num.col <- ncol(word.topics)
corrplot(cor(word.topics[,2:num.col]), method = "circle")
topic_name <- c()
# create topic names using first five words
for (i in 2:num.col){
top.words <- word.topics[order(-word.topics[,i]),1]
topic_name <- c(topic_name,
paste(top.words[1:5], collapse = "|"))
}
# rename topics
colnames(word.topics) <- c("word",topic_name)
m <- as.matrix(t(word.topics))
# # # m <- m[1:2, 1:3]
distMatrix <- dist(m[2:nrow(m),], method="euclidean")
#print(distMatrix)
#distMatrix <- dist(m, method="cosine")
#print(distMatrix)
groups <- hclust(distMatrix,method="ward.D")
par(mar = c(4,1,1,12))
dend <- as.dendrogram(groups)
#library(dendextend)
# Horizontal plot
dend %>% set("branches_k_color", k = 10) %>% plot(horiz = TRUE)
dend %>% rect.dendrogram(k = 10, horiz = TRUE, border = 8, lty = 5, lwd = 2)
abline(v = heights_per_k.dendrogram(dend)["10"], lwd = 2, lty = 2, col = "blue")
cor_threshold <- .2
cor_mat <- cor(word.topics[,2:num.col])
cor_mat[ cor_mat < cor_threshold ] <- 0
diag(cor_mat) <- 0
graph <- graph.adjacency(cor_mat, weighted=TRUE, mode="lower")
# E(graph)$edge.width <- E(graph)$weight
# V(graph)$label <- paste(1:(ncol(word.topics)-1))
#
#
# par(mar=c(0, 0, 3, 0))
# set.seed(110)
# plot.igraph(graph, edge.width = E(graph)$edge.width,
# edge.color = "blue", vertex.color = "white", vertex.size = 1,
# vertex.frame.color = NA, vertex.label.color = "grey30")
# title("Strength Between Topics Based On Word Probabilities", cex.main=.8)
clp <- cluster_label_prop(graph)
class(clp)
[1] “communities”
plot(clp, graph, edge.width = E(graph)$edge.width, vertex.size = 2, vertex.label = "")
title("Community Detection in Topic Network", cex.main=.8)
V(graph)$community <- clp$membership
V(graph)$betweenness <- betweenness(graph, v = V(graph), directed = F)
V(graph)$degree <- degree(graph, v = V(graph))
No particular clusters found
visIgraph(graph)
sentiment_syuzhet <- get_sentiment(comp_topicDF$complaint_summary)
sentiment_afinn <- get_sentiment(comp_topicDF$complaint_summary,method="afinn")
sentiment_bing <- get_sentiment(comp_topicDF$complaint_summary,method="bing")
sentiment_nrc <- get_sentiment(comp_topicDF$complaint_summary,method="nrc")
comp_topicDF <- cbind(comp_topicDF,
sentiment_syuzhet,
sentiment_afinn,
sentiment_bing,
sentiment_nrc)
comp_topicDF <- as.data.frame(comp_topicDF %>%
rowwise() %>%
mutate(sentiment_averaged = mean(c(sentiment_syuzhet,
sentiment_afinn,
sentiment_bing,
sentiment_nrc), na.rm=T)))
summary_sent_syuzhet <- summary(sentiment_syuzhet)
create_group_plots(comp_topicDF,
"sentiment_syuzhet",
"Label",
10)
summary_sent_bing <- summary(sentiment_bing)
create_group_plots(comp_topicDF,
"sentiment_bing",
"Label",
10)
summary_sent_afinn <- summary(sentiment_afinn)
create_group_plots(comp_topicDF,
"sentiment_afinn",
"Label",
10)
summary_sent_nrc <- summary(sentiment_nrc)
create_group_plots(comp_topicDF,
"sentiment_nrc",
"Label",
10)
summary_sent_avg <- summary(comp_topicDF$sentiment_averaged)
create_group_plots(comp_topicDF,
"sentiment_averaged",
"Label",
10)
summary_sent <- rbind.data.frame(summary_sent_syuzhet,
summary_sent_bing,
summary_sent_afinn,
summary_sent_nrc,
summary_sent_avg)
names(summary_sent) <- names(summary(sentiment_syuzhet))
rownames(summary_sent) <- c("syuzhet","bing","afinn","nrc","average")
print(xtable(summary_sent),
type="html",include.rownames = TRUE)
| Min. | 1st Qu. | Median | Mean | 3rd Qu. | Max. | |
|---|---|---|---|---|---|---|
| syuzhet | -4.85 | -0.50 | 0.40 | 0.47 | 1.40 | 9.30 |
| bing | -13.00 | -2.00 | 0.00 | -0.70 | 0.00 | 6.00 |
| afinn | -22.00 | -3.00 | 0.00 | -0.87 | 1.00 | 11.00 |
| nrc | -8.00 | -1.00 | 1.00 | 0.74 | 2.00 | 13.00 |
| average | -7.96 | -1.12 | 0.00 | -0.09 | 1.01 | 8.82 |
score_test_df <- cbind.data.frame(score=sentiment_syuzhet,
method="syuzhet",
stringsAsFactors = FALSE)
score_test_df <- rbind(score_test_df,cbind.data.frame(score=sentiment_afinn,
method = "afinn",
stringsAsFactors = FALSE))
score_test_df <- rbind(score_test_df,cbind.data.frame(score=sentiment_bing,
method="bing",
stringsAsFactors = FALSE))
score_test_df <- rbind(score_test_df,cbind.data.frame(score=sentiment_nrc,
method="nrc",
stringsAsFactors = FALSE))
score_test_df <- rbind(score_test_df,cbind.data.frame(
score=comp_topicDF$sentiment_averaged,
method="average",
stringsAsFactors = FALSE))
score_test_df$method <- as.factor(score_test_df$method)
a1 <- aov(score_test_df$score ~ score_test_df$method)
#plot(a1)
posthoc <- TukeyHSD(x=a1, 'score_test_df$method', conf.level=0.95)
posthoc_df <- as.data.frame(posthoc$`score_test_df$method`)
print(xtable(posthoc_df),
type="html",include.rownames = TRUE)
| diff | lwr | upr | p adj | |
|---|---|---|---|---|
| average-afinn | 0.78 | 0.52 | 1.04 | 0.00 |
| bing-afinn | 0.17 | -0.09 | 0.43 | 0.39 |
| nrc-afinn | 1.61 | 1.35 | 1.87 | 0.00 |
| syuzhet-afinn | 1.34 | 1.08 | 1.60 | 0.00 |
| bing-average | -0.61 | -0.87 | -0.35 | 0.00 |
| nrc-average | 0.83 | 0.57 | 1.09 | 0.00 |
| syuzhet-average | 0.56 | 0.30 | 0.82 | 0.00 |
| nrc-bing | 1.44 | 1.18 | 1.70 | 0.00 |
| syuzhet-bing | 1.17 | 0.91 | 1.43 | 0.00 |
| syuzhet-nrc | -0.27 | -0.53 | -0.01 | 0.04 |
content_DTM.uncl_df <- as.data.frame.matrix(content_DTM.uncl)
content_DTM.uncl_df$id <- rownames(content_DTM.uncl_df)
tmp <- comp_topicDF[,c("S.No.","sentiment_afinn")]
names(tmp) <- c("id","sent")
tmp$id <- as.character(tmp$id)
content_DTM.uncl_df <- inner_join(content_DTM.uncl_df,
tmp,
by=c("id"))
content_DTM.uncl_df <- cbind(sentiment=ifelse(content_DTM.uncl_df$sent > 0,
"positive",
ifelse(content_DTM.uncl_df$sent < 0,
"negative","neutral")),
content_DTM.uncl_df)
sent_levels <- levels(factor(content_DTM.uncl_df$sentiment))
labels <- lapply(sent_levels,
function(x) paste(x,format(round((length((
content_DTM.uncl_df[content_DTM.uncl_df$sentiment ==x,])$id)/
length(content_DTM.uncl_df$sentiment)*100),2),nsmall=2),"%"))
sentiment_words_df <- as.data.frame(content_DTM.uncl_df %>%
select(-id,-sent) %>%
group_by(sentiment) %>%
summarise_all(sum))
rownames(sentiment_words_df) <- labels
sentiment_words_df <- sentiment_words_df %>%
select(-sentiment)
word_sentiment_mat <- t(as.matrix(sentiment_words_df))
# comparison word cloud
comparison.cloud(word_sentiment_mat,
max.words=100,
rot.per = 0.15,
colors = c("red","blue","green"),
scale = c(2.5,.25),
random.order = FALSE,
title.size = 1.5)
comp_sentences <- tibble(index = compDF$S.No.,
text = compDF$Complaint.Text) %>%
unnest_tokens(sentence, text, token = "sentences")
comp_sentiment <- comp_sentences %>%
group_by(index) %>%
mutate(sentence_num = 1:n()) %>%
unnest_tokens(word, sentence) %>%
inner_join(get_sentiments("afinn")) %>%
group_by(index,sentence_num) %>%
summarise(sentiment = sum(score, na.rm = TRUE)) %>%
mutate(sentiment_tag = ifelse(sentiment > 0,"positive",
ifelse(sentiment < 0, "negative","neutral")))
## Joining, by = "word"
sentence_senti_cnt <- dcast(comp_sentiment, index ~ sentiment_tag,
fun.aggregate=length,
value.var = "sentiment_tag")
comp_sentence_sentimenttag_pct <- cbind(sentence_senti_cnt[,1],
round((sentence_senti_cnt[,-1] * 100)/
rowSums(sentence_senti_cnt[,-1]),2))
colnames(comp_sentence_sentimenttag_pct) <- c("S_No",
"negative_sentences_pct",
"neutral_sentences_pct",
"positive_sentences_pct")
comp_topicDF <- comp_topicDF %>%
inner_join(comp_sentence_sentimenttag_pct,
by = c("S.No." = "S_No"))
topic_summary_DF <- data.frame()
for(top_id in unique(comp_topicDF$topic_id))
{
temp_df4sum <- comp_topicDF %>%
filter(topic_id == top_id)
temp_sum_df <- lexRank(temp_df4sum[,"complaint_summary"],
threshold = 0.18,
n=ceiling(nrow(temp_df4sum) * 0.1),
Verbose = FALSE)
topic_summary <- c(topic_id=top_id,
topic_summary_txt = paste(unique(temp_sum_df[,"sentence"]),
collapse=". \n"))
topic_summary_DF <- rbind(topic_summary_DF,topic_summary,
stringsAsFactors =FALSE)
names(topic_summary_DF) <- c("topic_id","topic_summary_txt")
}
topic_summary_DF$topic_id <- as.numeric(topic_summary_DF$topic_id)
topic_summary_DF <- inner_join(topicLabel,topic_summary_DF,
by = "topic_id")
print(xtable(topic_summary_DF),
type="html",include.rownames = FALSE)
| Label | topic_id | topic_summary_txt |
|---|---|---|
| sale person|engin oil|spare wheel|warranti purchas|bad qualiti | 1.00 |
I booked my car with advance amount booking before 10 days of delivery; delivery date was 8/4/14.. At the time of delivery I saw my front L/H side tyre was replaced with spare wheel saying that the tyre was punctured so we replaced it.. However, the sales person convinced me that the car will not be released for 2-3 months for sure or it might not even come to India.. So I was not willing to do the service there as the engine oil was changed by Hilton Hyundai on Feb 2015 and no other engine oil changes had been done after that.. He told me that they could keep the vehicle there only if they do the work otherwise no matter no matter anything happens they wont keep the vehicle there.. total rubbish and bad customer care. 2nd issue they have raised is if my vehicle delivery is delayed after february they will charge extra amount for delivery in march. the service person said that the vehicle was very big to that engine that’s why the vehicle was gives only 14 kms along with poor pickup So why the stats give the vehicle fives 19 kms per litre with good pick up.. My car is not ready for delivery and asking for more three days for delivery. I had booked an i20 hyundai model on 05/05/15 and made advance payment of Rs. Please look into the matter and arrange for refund of my booking amount otherwise I will be forced to take legal action.. After 45 mins i try the same issue remains same i am not able to start the car, I call the same person again he assist me to call hyundai service help line directly, So i did the same, Hyundai service person came and he was help less . |
| show room|extend warranti|spare part|front side|corpor discount | 2.00 |
If i am going for service in a authorised hyundai service center & not going any where, how they can do this.. I have discussed said problem with there service center & given vehicle two times to solve the said problem but said problem till the time not sort out from them.. after calling many times in show room no one is responsing. My question is that if the car is delivered to the service centre in proper condition and it is damaged by service personnel; who is responsible for the repair; the customer or the service centre.. He is called by name of ‘FUDDU’, When i asked for Spare part of i20 Arm Complete. At the time of making Extended Warranty, my wife asked the list of the parts covered by the Extended Warranty, but the Dealer failed to produce the same. The list of the parts is necessary to know, because when we go to the garage of the dealer for repairing of the car and if any part is found damaged and needs replacement, then the authority of the dealer says that, the parts not within the Extended Warranty.. then the jagatheeswar took the phone and told me that come to show room the finance person want to talk to you the said.. before all the Tyre getting damaged you have to service all the Tyre before it had damaged.. Following up with them for the last four years. The worst part is that I have been to 3 dealers for that spare part and all of them come up with the same ans that the part is not available.. Dear Sir, I am your old customer, previously I have i10 era since last five years and recently I have purchased Xent VTVT S ( O) from M/s Prince Hyundai Ujjain on dated 17.. Every time your show room person saying after two week it will be receive |
| music system|air condit|full payment|ac vent|social media | 3.00 |
IN THE LAST 2 YEARS FROM THE DAY I PURCHASED THE CAR, THE CAR WAS WITH THE SERVICE CENTER FOR MORE THAN 1 YEAR.. Last time my car serviced at same service center and I was fully satisfied with work and replacement of the parts. They said that they will inform me once car will come from Hyundai which might take more than a month also. 1 Dealer: Bhuvan Hyundai, Jalna Location: Jalna City, Jalna, Maharashtra, India Money Paid: Rs. It is very difficult to understand, for a brand like Hyundai, how can the sales & delivery process be sub-standard.. I have maintain the service records of the regular service of my vehicle and complaints which I have registered with the service center and records when I have sent my vehicle to the service.. So let’s forget the process for a moment and help me understand, if a customer is travelling 400 kms multiple time, just to chase your sales/ customer relations team; reminding them of issues and concerns being faced, why there is no action.. My car hyundai i20 car no mh05 as 5757 there was some noise in staring while operating during servicing the service manager said it’s normal after few days staring jammed I drove the car with inconvenient to service center ritu automobiles pvt Ltd on 09/09/2014 they suggested that column assy - upper to be changed having faith on their words I changed that part which amounted to rs 27427 they forced me to pay by cash saying we do not accept cheques i got car at night about 8.. i have purchased the Verna car and after purchased i lodge the several complaint against the dealer to company since 28.. as per the oral assurance given by the sales manager to me that on full payment i will get the vehicle before 15-9-2015.. Bhuvan Hyundai is also listed in the below given Categories Hyundai Car Dealers Hyundai Authorised Car Dealers Hyundai Accent Car Dealers Hyundai I10 Car Dealers Hyundai Verna Car Dealers.. Today when I have faced the issue again when car was behaving abnormal and the music system gets off & on within seconds and horn was not working, lights were not working, power window and central locking were also not functional, at that time I have recorded the abnormality of the vehicle into the Video clip in which you can realize that music system gets on & off by noticing the sound, within a second and the temperature of car was on cool side when car was running with the speed of 60kmph. |
| clutch plate|consum forum|insur polici|part part|chang clutch | 4.00 |
When my vehicle was run 25000kms my clutch plate is replaced, After 3months at 30000kms again clutch plate n assembly is replaced.. Till now I have changed Clutch plates two times and still I am facing the same problem and company is not taking the claim. But now after completion of four weeks the dealers are unable to tell the status of car delivery. At 28k the clutch has failed completely and now they are asking for paying 20000 rupees to change the clutch plate. And after one month at 32000kms now again showroom people are telling need to replace clutch plate. 10 to 15 time i call there but no availability of parts. when i visit Service dealer they advised me to need change over all clutch. I have deposited all so registration fees for registration of my vehicle. Please take this matter as serious as I am facing a big issue as from the starting I am facing a problem and after paying and changing Clutch plates two time, the same problem is persisting.. As after every few months this car is showing new faults in some or other part of engine, I am asking to either replace my car or extend the warranty of car for next 3 years, they are not ready to do it. |
| consum court|front tyre|gear box|registr number|seat cover | 5.00 |
When the engine is on then the gears are not working, if engine is off and change the gear works ok.. Far more better in service as well as work.. Prior to Verna, I was using other company car and there was no such issues of gear box for just 40K kilometers. Do necessary action to do so otherwise I will go to consumer court. A) I had given my car for repairing on 28/02/2015 stating that the vehicle was not getting started and AC was not working.. I have paid full amount for CREATE 1.. Than I came to know from Prema that ECM is having problem which could not be repair and same has to be replace with new one which cost approx Rs 40, 000/-.. It seems as if metro automobiles is overcharging it’s Customer’s and then also customer are not getting services as per standard of Hyundai. If today I will say I am interested to buy one more Hyundai Verna for my wife there will be 10 different promotional mail/ call will come to me to push your sales.. But at the same time I felt very bad that after raising a written complaint I didnt get any revert (Mail) from the concerned authorities which is basic mail ethicists. |
| alloy wheel|engin engin|engin oil|wheel align|hard earn | 6.00 |
They say they did not get the parts on time therefore they are unable to deliver the car on time. It was shocking to hear when the authorized Service Centre like Rahul Hyundai told me that Your clutch is working but before this service my clutch is ok and they said next service your clutch is not How it can be possible, kindly check my service history Complete clutch assay was also replaced in 63000km .. i suddenly started getting an engine oil warning signal and when i checked there was no engine oil in my car, so i took the car to HMP service centre at mathura road as the oil was refilled and changed about 6 months back only. After second service (After 10000 km), i had a clutch issue around 11k km and was not able to shift gear. my car is head lights defected. HELLO SIR, MY NAME IS VISHAL BANSAL I AM FROM SURAT (GUJARAT) I AM USING CAR FROM YOUR COMPANY HYUNDAI FLUIDIC VERNA REGISTRATION NO IS GJ-05-CR-8201 VISHAL BANSALTHERE IS SOME PROBLEM IN MY CAR SINCE 1 MONTH, I WILL SEND MY CAR FOR SERVICING IN YOUR DEALERSHIP SILICON HYUNDAI PIPLODLAST MONTHS BUT THERE IS NO SOLUTIUON ABOUT MY CAR AAND CLUTH PLATE AGAIN AND AGAIN. Just after 1st service, its A/C is not working |
| engin part|extra money|good condit|nois engin|steer jam | 7.00 |
But now they say that there is no problem in that part and you will not getting any part replaced. but they deny to change battery they told me that you run can 57000 km we give up to 50000 km.. Having same problem with my i20 as well.. 2014 I went to my vehicle and tried to start but I failed to start the vehicle.. Please ensure all parts has in good condition and change old a.. The dealer took 10 days time but now 25 days have gone. Now the Km reading is 22717Details of service record are as follows:Service Date Dealer Code Service Mileage Service Type Paid AmountFebruary 25, 2015 N3202 00022717 PS 10457.. now i was just waiting for the delivery of the car i called the showroom to check the delivery i was told by joel that they have not yet received the Delivery order from the bank and once they recieve the DO (delivery order) the next day the car is forwarded for rto registration and since i was booking special number i just have to wait one day to get tax reciept and i can then take the delivery.. since joel was not available swati chauhan attended to me i told her that i have decided to buy insurance on my own and that it was my right to choose any insurance company i want and that they cannot force me to buy insurance from them and requested them to accept the down payment as soon as possible as i was on my way to work and was getting late. |
| registr number|cover warranti|engin oil|bodi cover|chasi number | 8.00 |
|
| book amount|work shop|insur claim|warranti period|repair work | 9.00 |
Even though all the parts were replaced as its within the warranty period, but I dont whats going to happen after my warranty period. When we check the old repaired records of the vehicle during its due service, it is found that the injector of vehicle was repaired two or three times but the same problem is raising with this vehicle. 2014 called respective sales executive for booking of my car then they told me that car has been booked and it will be delivered by the end of the this month.. jha tell me your car is ok, but we are not sure, In future it create some problems, Please put your car after Dipawali, we change engine Hyundai Company gave us engine replace approval, But we order after dipawali so u come after I call you, I said to mr.. 5000/- as a booking amount when the sales person assured me if in any case loan amount not sanctioned or for any reason I cancelled the booking they refund all my booking amount. The car was kept for a week due to insurance claim and the amount of work to be done.. Then as telephonic discussion I goshivalik hyundai on 03 - 11-2014, I see the engine without head, They are told me change half engine without head, They are told me Head is not a part of engine, I can’t say yes.. I booked hundai eon top model with 5100 rupees by cash. Myself Prakash here, I had booked Xcent car i. I had the vehicle to the service centre for check up but they said that the engine noise is OK. |
| chassi number|left side|air bag|gear gear|part chang | 10.00 |
I have going to the service center i.. first he said no sir we didn’t, then i said you just check once again and let me know, after few hours i called him again regarding this he said yes we got the amount from the bank.. then i called again to customer about this they said they will arrange something, will revert to me by 10 more minutes.. every time I call, they say some person will call you and that will never happen.. There has been no response from the manufacturer / dealer. i was telling him that something leaking so please transfer call to some technical person or your engineer but they told me that i can not transfer to such person, we can only arrange crane/ toeing service for you.. Suddenly today in the middle of the road gear stopped working and now unable to shift in any gear when engine is on. |
| top model|part replac|tyre replac|bank loan|clutch plate | 11.00 |
I want to replace 3 tyre immediately from Hundai but service engineer told that raised your concerned with tyre vendor. With regard to the reported concern, we request you to spare the vehicle to our Pallikaranai Service Station any later date which is convenient to you for necessary action.. However, each time my request were ignored on one pretext or another and I was given false assurances from your service center/ company.. Will some one in HYUNDAI MOTOR INDIA LIMITED PLEASE LOOK IN TO MY PROBLEM or else I will be forced to take the legal course.
|
| manufactur defect|book book|sale execut|job card|driven km | 12.00 |
00 in just in just 3 weeks and some days and again on 19/08/2015 car is in service station for repair works.. again since one week back service centre took my vehicle to service centre but till today they are not doing anything. AFTER 1 MONTH HE TOLD ME THIS IS NOT POSSIBLE. They told me to get my key changed from hyundai and told me that it will cost rs 8000/- per key. The front glass of the car is completely broken and the service centre didn’t even show the basic courtesy to call and inform the situation.. I was promised delivery of vehicle in 15 days but today it is 40th day and these thugs are not even confirming the date of delivery. |
| bodi shop|test drive|repair cost|exchang bonus|power window | 13.00 |
when i booked the car I told the executive that I don’t want the same car as it is used for test drive.. This is surprising when i have visited the service center after 10 days they told still car is not repaired since they dont keep the costly parts here and they have ordered for the same and will take 2-3 more days for delivering my car. He told that there will be hike in vehicle price in November 2014 so best to book the vehicle(a Hyundai i10 Grand)with token amount Rs 1000, which is totally refundable in case i do not go ahead with the purchase.. while taking the token amount of 11k from us they committed us that the car will be made available to us and even provided us the estimated delivery date of 5/7/17. Area-1 ND, Workshop on 05/04/17 for body shop & servicing & shocked to see over billing & double claim filed, &still i was insisted to pay Rs 8000/- + Rs 7250/- Total Rs. Before replacing the power window button there was no problem in my central locking, its been 5 years since i have this car. But windows are not fitted Properly and so it’s not working and it has been shown to showroom for 3-4 times but still the problem is as it is. I called in which was the last time only to be told the company has increase the booking amount to Rs 3500, so he cant give refund the Rs 1000 which was initially agreed. |
topic_lsa_summary_DF <- data.frame()
for(top_id in unique(comp_topicDF$topic_id))
{
temp_df4sum <- comp_topicDF %>%
filter(topic_id == top_id)
topic_lsa_summary_txt <- paste(unique(genericSummary_LSA(paste(
temp_df4sum[,"complaint_summary"],collapse=". \n"),
k_min=ceiling(nrow(temp_df4sum) * 0.1),
min=5)),
collapse=". \n")
topic_lsa_summary <- c(topic_id=top_id,
topic_summary_txt = topic_lsa_summary_txt)
topic_lsa_summary_DF <- rbind(topic_lsa_summary_DF,topic_lsa_summary,
stringsAsFactors =FALSE)
names(topic_lsa_summary_DF) <- c("topic_id","topic_summary_txt")
}
topic_lsa_summary_DF$topic_id <- as.numeric(topic_lsa_summary_DF$topic_id)
topic_lsa_summary_DF <- inner_join(topicLabel,topic_lsa_summary_DF,
by = "topic_id")
print(xtable(topic_lsa_summary_DF),
type="html",include.rownames = FALSE)
| Label | topic_id | topic_summary_txt |
|---|---|---|
| sale person|engin oil|spare wheel|warranti purchas|bad qualiti | 1.00 |
c(" I brought a Hyundai i20 full option in 2013with engine number D4FCDM008944 registered number plate KL 10 AQ 120, which at present used only 20000 km, is maily used for the homely purpose with family, Since the beginning of usage of car, I find the car is very difficult to pull the heights and hilly roads in kerala, where majority of roads in kerala is such type due to the geographical condition, The failure or weak pulling causes risk which can even cause major accidents of lossing the control and falling from heights with the car engine get off automatically due to very weak pulling power and failure to accelerate in the first gear even and slipping back while driving to the hill heights especially during the rainy season which can even cause death, Such and Issue was being contineously informed since the beginning and two service time also completed but they are showing negligence to the issue informed, They said the issue is with the turbo and many of the customers who purchased I20 came up with the same but they are not ready to solve the issue and all they are saying is that companyhave not informed them about any solution, Untill then they cannot do anything “,” I m Dheeraj kumar i purchase Hyundai xcent on th17th of July from Samara Hyundai since then i m facing engine oil shortage problem on my first car service i took to my car at 7/20 Kirti nagar samara Hyundai Mr sant kumar was my car service person there i told him my car oil shortage problem he reply i just check it i drop my car there in evening he called me sir your car is ready when i asked him what was the problem he told me nothing i just top up your car after few day’s i again face same problem again i took my car there again he just top up and delivered to me after few day’s i again face same problem again he just top up and delivered to me now i again face same problem again he just tunning “,” On 27th April 2015 my HYUNDAI EON car met with Fire accident right away we contacted Hyundai showroom but the response was ridicolous As the Service manager was not willing to take my request itself Hope i didnt except such a legalistic response from him He responded as the insurance wont cover yet the insurance guys was ready to release the amount Still the service manager replied as we cant do the necessary service Finally he told to shift the showroom as he cant do the need full Since there was no person on the car it was fine The response given by them was not at all acceptable“,” I was travelling on 3rd of March 2015 from Hyderabad to Chandrapur I dont know what went wrong and what hit the oil sump and broken down accidently and I kept on driving as I did not see any indication on the dash board related to oil I stopped the vehicle when I felt the sound of engine has slightly changed then I called Hyundai representatives and they found that the oil has been drained because the oil sump was broken The person checked and he also found that there is no indication of no oil on dash board and they towed it to Hyundai showroom after opening the oil sump they found that the connecting rod bearing and crankshaft also got damaged but as it was accidentally happened they should at least consider warranty or insurance but I am not able to get anything from them, now after all this they ordered spares and spares arrived on 18“,” Day 4 (tuesday ) : Morning i called them again, they promised me with in EOD they will Close the issue, Evening i call them again they replied me, they can update the status only by Wednesday when they can fix the issue“,” Vikrant & Chaitanya told me give me one day TAT I will solve the issue & I called in the morning they promised me we will solve the issue at evening & I am waiting for called but don’t get any call from hyundai office & finally I have been visited to hyundai showroom at bhosari & I surprised at the time of booking I got so many called from showroom & for cancellation doesnt getting any support from them even if am ready for cancellation charges pay to hyundai dealers like 5% charges at hyundai kharadi & thermax chowk pune hyundai dealers etc“,” Hello sir, I am proud owner of verna fluidic car GJ-1-KN-3979 this is my second verna car I have hyundai i10 also but this time I am very let down from quality of car parts as I am facing serious issue of air conditioning inspite my car is regularly serviced by hyundai dealer they are saying u have to replace cooling koil and gas recharge by car is 3 Yer and 6 month old after purchasing a expensive car worth 11 lakh that too u have to face constant problem of part replacement so early first ac blower where replaced then car keys where replaced and now aircondition koil I was big fan of hyundai brand but this time let down do need full thanking u amit mittal ahmedabad 9825576476“,” As it is a very difficulttask to explain such an issue to a third party, They were just giving lot of guidance for last one year to use different modes of AC when that fogg type of mist block the vision, but all their guidance failed miserably during this one year and finally we had to raise this issue with serious panic as this issue caused an accident while driving with family during the eid tour on 06th october 2014 that too at night time but the Hyundai Service point in Perintalmanna asked us to prove the issue when reported again after accident and said they can only give a solution if the real problem is proven, and after two days when we found the same issue while driving in perintalmanna locality we called them and they witnessed the issue and stood helpless to remove the mist formation which doesnot get removed aftter cleaning from outside and inside of car“,” As discussed with sanjay hyundai dealer at PCMC bhosari pune, I have booked i10 old car in last 4 to 5 days back & given booking amount only 5K, but unfortunately in my family member hospitalisation issue so due to this my plan cancelled for booking car & I have been visited so many times from yesterday but no one help me for cancellation of my booking & I have given yesterday one letter for cancellation & Mr“,” I am totally upset with the hyundai i20 - KA 03 mm 8451 i bought - advaith hyundai - outer ring road , devarabeesahalli, after getting the car upgraded with original hyundai parts ,remote locking system, and was warned if non company parts were installed, the warranty would go void, having no other choice i went for the company original parts,the major electrical features went beserk and messed up, like door unlocking automatically when using high beam and low beam, how the hell will this car provide child safety in any way, my wife was totally dissappointed with child safety features which is a mothers first and only priority issue“,” Second incidence: I wastravelling to Mumbai from Pune on 27th Sept 2014 and I felt some doubt inclutch plate and pressure plate and then I stopped my car on express way afterthat my car was not moving and then with help of Toy motor, I took mycar to Sharayu Motors in Jui Nagar (Mumbai) and they found that clutch plateand pressure plate were damaged then I changed the clutch plate related partsbut still my car has same problems even though I did not get proper servicefrom Sharayu motors“,” They told me that usually delivery will be done in 2 to 3 months and if you buy or make over the creta at extra cost from modi hyundai by paying extra then they shall manage to give me the delivery of hyndai creta within a months time,,, the person who attented me was more pressurizing me to buy accessories rather then selling creta at his showroom“,” the service person said that the vehicle was very big to that engine that’s why the vehicle was gives only 14 kms along with poor pickup So why the stats give the vehicle fives 19 kms per litre with good pick up“,” Reason’s for servicing: 1) Regular Free Servicing (Hope less servicing as i faced battery issues within 2 week, whereas nothing was wrong with the battery prior to that) 2) Rear Power window switch non functional (This was another issue as they didn’t have switch available & asked me to wait which I did & when the switch was available they again took labor charges for fixing the issue)“,” Sir I regret to inform you that Xcent(SO) purchased on 17/10/2014 having manufacturing defect i n ac kit and service station people/customer care people are unable to resolve my problem and asking me to go to that centre and this centre Im puzzled what to do this summer and on the top of it you claim better services to Hyundai owners“,” I purchased my hyundai i 20 car from m/s klg hyundai i/a chandigarh in Jan 2012 and from the very beginning myne right side wiper was having manufacturing defect and i lodged mine complaint on the very first service and repeated the same in 2nd and third service also but mine wiper has not been changed and in the third free service i asked for wheel alignment and wheel balancing as it should be part of free service but i was refused the same as the dealer said that it is chargable“,” e; 27 oct it was driven 13k kms odd, and cos clutch issue that was in service centre for 1 week and later they delivered the car and later a week i started a highway journey from hyd to vij and travelled for about 14 kms my cars engine’s temp was boosted up and again i stopped my vehicle in orr and called to rsa they are now telling radiator leakage“,” After the first inspection of the car on the day of purchase, car was perfectly fine though very dirty, after they gave it for cleaning after some time (one scratch outside door and one dent on the dashboard got noticed by us which was not earlier there and they also admit that mistake there only" ). Y. 77.9 |
| show room|extend warranti|spare part|front side|corpor discount | 2.00 |
c(" 50, 000/- for the extreme stress and mental agony you have caused to me due to your negligent conduct and the cost incurred by me in trying to mend this problem and to pay Rs 3000/- per day for daily expenses from 4th March 2014 till the issue is resolved In case you fail to look into the matter within 3 days from the date of this letter, I would be forced to: Ask my lawyers to file a consumer complaint against you for gross negligence, and deficient service, as well as additional compensation for mental agony and legal costs; Ask my lawyers to consider the filing of a civil suit against your company Start a sustained online campaign spreading the word about the appalling level of service that I have received from you; and Issue press releases online and in the print media“,” aaj mai hyundai ka i 10 book karwane gaya PODDAR HYUNDAI GAYA mujhe suru me bataya gaya ki koe offer nahi hai i 10 me uske baad jab maine usase bola ki kuch bhi nahi hai to bola ki esme exchange offer hai 10000/ ka aap sirf apne old car ka paper de dijiyega mai aapko 10000/ ka music system lagwa dunga mai bola thik hai uske baad car ki price list maine dekha mujhe wahan pe dikha car price, insorance, road tax, extra charges, extended worrenty, esoseries fir mai bola ki aap to kafi kuch jor kar on road price bata rahe hain fir bo bola aap jo lena chahenge wahi lijiyega jo nahi lena hai mat lijiye uske baad wo extended worrenty aur esoseries less kar ke bataya usme extra chage jora hua tha mai bola ye kya hai mujhe ye nahi lena fir wo bola ki ye to lagega hi fir mai bola nahi fir mai nahi lunga aapke yahan se to wo bola ki mai boss se baat karta hu boss se baat kiya to wo 3000/ less karne bola aur exchange ka 10000 ka hata diya ki ye nahi milega fir bhi hum log bole thik hai to book karo jab hum log car book karwaye to recipt dene laga to bola ki aapko extended worrety aut esoseries lena hoga to hum aapko 3000 extra charge kam kar denge mera pura din aaj bekar gaya hyundai ke ajibo garib behevier se pls aap meri madad karo“,” MH40KR7988 When my car is in warranty at that time im facing a poor pickup problem low pickup not instant pickup like as new So i have put it in servicing when my vehicle is in warrnty then your technicians and engineers said that turbo and clutch plates are suspected But at that time they where saying that these parts are not covered in warranty and you have too pay for that and they just temporary serviced my car and hand it over to me And my problem is not solve and now i have put my vehicle for that same problem so now tell me now what to do“,” Chelapa the general manager of chembur workshop he helped me alot he was in touch with me till the time team came to my spot of car break down; even team of repairing was also supportive they informed me they’ll drop my car to nearest Hyundai at Vidyavihar for repairing but on my risk i took my car to home & on 13/07/2015 i gave my car to Mohol Hyundai for repair & my first service; Mohol Hyundai informed me there was issue in filter“,” i found lot of vibration up 50 km speed on the floor and car body and second biggest problem is when on driving mode (D) in the traffic we have to hold and release break paddle, i feel lot of vibration on break paddle and floor both, it mean when we apply break clutch doesn’t release completely and engine vibration is passing in the car floor and paddle“,” 30 am I got a call from the service centre saying that my car met with accident while taking it for test drive and the staff of the KRSA is acting cheap and not even bothered of damaging a customers vehicle, and asking me to claim insurance, this is my first damage to my car, left rear side is totally damaged, front head lamp has severe scratches, the way they treating customers is ***, the ARM of the branch Babu is not even aware of happened to my car and convincing me to claim insurance, i want my car to be delivered within 3 days without charging me a penny“,” Because i have a written job in what your engineer wrote that turbo is suspected and at that date when my vehicle is in warranty And in your system data is also showing that i have raise a complaint for poor pickup also Now please i request you that replace my turbo and clutch plate in warranty, or i have to take some law full action or go to court to waste my warranty period and delayed of warranty“,” Also the additional registration charges has been attributed to the commission that has been given to the agents (though no receipt of that has been provided to me) With all these experiences, I am really sorry to say that I will not recommend any one else to buy a car of your company“,” 1) 15 thousand cash back offer was not returned as it was said that offer is not for csd facility 2) 15 thousand govt employee benefit also was not retutned 3) 3year extended warranty is not given as it was assured“,” I’m nisha r patel 7-b dave appt, kalol purchase xcent car no gj-18-be-1489 from gandhinagar but under the warranty car not run properly and we have done 2 free service but no body work satisfactory in month of july i met accident and then after i received my car but front side light, horn, even my decorative jali removed but not return and clutch not fit properly even front side blackk with white cover push button not fir pl tell me why i ’m using defective car pl replace,“,” I want to complain regarding the mithila showroom wch is located at mira bhynder road, the most pathetic experience of buying a car from them, not even one thing was proper, all are sitting there, firstly they take a booking without knowing that the have a car or not, 2nd thing tellling us another price of the car while booking and taking some another price, lot of paper issues these dnt even know that wch papers are rqquired for car buying process, 4th the manager is the most wch is saying that we dnt provide anythng with the car untill we give in writing, please i suggest everybdy dont buy the car from mithila showroom wch is in mira road thane“,” which was too much for me and so i enquire it outside the showroom for the same company part and which i purchased it for just 5000 from delhi of same manufacture and that too with the help of some mediator who deals in bringing spare parts of vehicles from other cities , so naturally he must have earned in it some thing atleast“,” Hi, i have been facing one after another issues with AC in my car have run it for 50000 kms and have replaced ac pipe as it had some leakage, then the compressor and now AC Cooling coil is gone it seems and have now spent close to 30k for these issues“,” I on my side is a very careful and a passionate driver - do not even believe in hiring a driver [for my high level in an organization] for fear of all drivers riding on the clutch, lying 150 degrees on the driver seat and listen to music and just doing everything to ripping off a good vehicle [because they do not own it - but only drive“,” The showroom people told me not to do insurance from Bajaj Alliance and they told me to do insurance from HDFC and other insurance company apart from Bajaj Alliance, but when I had purchased my car 2yrs back mohan motors had only made my insurance in Bajaj Alliance“,” we gave them 2 weeks to get the car ready and a week extra considering the sales guys was going on leave, so we decided that we will take the car only once he is back, on a sunday, when I called him on Sunday, I was told that my car is not back to the showroom (even when he had 3 weeks time) he said it would take another day, I got this information, only when I called him, he dint take the pains of calling and letting me know about this“,” Myself DIGVIJAY SHEORAN i have booked i20 elite asta on 23/04/15 from Bhiwani showroom(haryana) and they have commited to deliver on asked date 20/05/15 but they sold our car to someone else and i have also given advance amount Rs 25000 while booking and i have a receipt also“,” Bought 1 I10 Sportz and I 10 Grand through Mithilai Hyundai, Bhayandar through his DSA agent 7 CAR DRIVE, the vehicle money was paid to MITHILAI HYUNDAI and Octroi Registration and Insurance was paid to 7 CAR DRIVE, I am surprised this purchase pertaining too December 2013 we have till date not received INSURANCE POLICY, ONE TIME TAX PAID RECEIPT, AND OCTROI RECEIPT NOR THE DSA is replying for the same“,” This is to inform you that am enquiring about my verna car break hose tube Pope for front right side wheel as it is cut and all service people are telling me they don’t have stock they will have to order it is been a month am chasing and still they are saying they are not received the stock and I have not used my car from one month it is very disappointed to me when I bought this car paying alkha to gather parking at home from one month and break hose not availed in entire Bangalore Hyundai service centre please kindly do the needful at the earliest “,” ENTN, near mother dairy new Delhi) till now issue not resolved, again facing same problem(new tyers only10 days goes also outwear) this is a technical issue I had already send vehicle in service center third timeas on 29/06/2015 SUNRISE AUTOWORLD PVT LTD, still not received any response till date 04/07/2015, no one response over on phone or mail“). Y. 80.44 |
| music system|air condit|full payment|ac vent|social media | 3.00 |
c(" I met with service manager there and told him the actual problem of my car, but at that time they are making excuse that today is Saturday and we already have many cars for service in our centre, you have to come down on Monday, I pressurize him to check my car properly otherwise I have to make a complaint to Hyundai customer care, then he assigned a service executive to me for checking the car, he start my car and took a round of the road of 1Km and he did not checked the battery, after taking a round he said, I dont think that there is a problem in the vehicle, I again forced him to check the battery properly, then he said we can update the ECM software then the problem will be solved and asked me to come again if the problem persists“,” I am Sheshnath Singh from Gonda, i would like to inform you that, I had purchase a new car EON aug14 (UP32FT3442 from Lucknow, my car due to an accident bumper and few part also damaged, for which I had gave my car to service centre to M/s Agarwal Moter, Gonda to replace and repair but he not done proper job not replace as well condition he has cheated with me and misbehave“,” 30 pm while driving home I noticed staring was not working properly I thought new part must be stiff on the next day I took my car to service center they inspected the car and said that the part is not working properly we will order new part and get it replaced as an when part arrives we will call you on 19/09/2014 person from service center named jitendra kene by number 2522300900 and said that part has arrived you bring the car tomorrow we will get it replaced as said I took the car to service center on 20/09/2014 and after keeping car whole day at evening the above same person jitendra kene said part will not be replaced“,” myself paul c, i bought a brand new hyundai santro from popular hyundai muvattupuzha recently i have a complaint regarding the handling charges you are applying to me on enquiry i realize that the handling charges (7500 rupees ) you are applying to us is legally not valid, but the problem is while asking the same with sales manager mr: latheesh from muvattupuzha he told me to forward a complaint to hyundai india, so i need a clarification regarding the bill (i need the split up) for which you are charging this amount, and need a acknowledgment that this is legally approved, im trying to sort this problem for lat two weeks but nobody is properly responding or giving a solution for the same“,” MY CAR SCHEDULE FOR SERVICE AND REPETTED COMPLAINTS IN YOUR WORSHOP:- 1)25 JUNE 2013 FREE SERVICE(NOT EVEN CLEAN THE DUST IN THE CAR) 2)16 JULY 2013 COMPLAINT FOR BLUETOOTH AND SILENCER SMOKE 3)16 OCT 2013 COMPLAINT FOR BLUETOOTH AND SILENCER SMOKE 4)04 FEBRUARY 2014SECOND FREE SERVICE (THE DRIVER WHO CAME TO PICK UP THE CAR HITTED THE FRONT BUMPER) 5)17 APRIL 2014 COMPLAINT FOR BLUETOOTH AND SILENCER SMOKE(WORST COMPLAINT ATTENDED BY MR“,” Bhuvan Hyundai is also listed in the below given Categories Hyundai Car Dealers Hyundai Authorised Car Dealers Hyundai Accent Car Dealers Hyundai I10 Car Dealers Hyundai Verna Car Dealers“,” Hi my husband bought me car from kun hyundai hyderabad a sports model but within a month it started troubling me first the horn went then the gear become so hard that i used to struggle in between the traffic, it makes sound like an auto whole year i just visited to get the central locking key done, last month my car went for servicing picked it up after 3 or 4 days the very next days again the central locking went off, i just feel cheated to buy such a bad car and will always refer to everyone not to buy this particular company car“,” Trust me, I reassure that I will fight till I get justice and with all possible weapons I could use; from social media to Indian legal system as well as consumer court“,” On October 09, 2016 I went to finally take the delivery of my Creta Petrol Automatic (MH XX XX 5056) from Kothari Hyundai, tilak road branch, Pune after a two week delay and when I went to inspect my car, to my surprise I found two unknown people seated in my car (in the driver and co-driver seat) along with the sales representative from Kothari Hyundai (seated in the rear passenger seat) who was showcasing my cars music system, AC, interior reading lamps and other features and when I objected, after five minutes i“,” Today when I have faced the issue again when car was behaving abnormal and the music system gets off & on within seconds and horn was not working, lights were not working, power window and central locking were also not functional, at that time I have recorded the abnormality of the vehicle into the Video clip in which you can realize that music system gets on & off by noticing the sound, within a second and the temperature of car was on cool side when car was running with the speed of 60kmph“,” They tell that they had eliminated that error but,after taking the vehicle from there ,i experience the same complaint and the same process had been repeated for two times,ie with in one and half months ihad given my car three times to eliminated the same deffects“,” Rishi Handa (Safdarjung Hyundai) is very polite and Gentle and understand the problem very politely and always tried to keep his customer happy by giving his efforts and time to the vehicle, even I came to know that he checked my vehicle himself and kept my vehicle under his guidance, he changed the battery of the vehicle, checked wiring, changed alternator, fuse, Changed spark plugs and few wire but still I have not get rid of it“,” My car hyundai i20 car no mh05 as 5757 there was some noise in staring while operating during servicing the service manager said it’s normal after few days staring jammed I drove the car with inconvenient to service center ritu automobiles pvt Ltd on 09/09/2014 they suggested that column assy - upper to be changed having faith on their words I changed that part which amounted to rs 27427 they forced me to pay by cash saying we do not accept cheques i got car at night about 8“,” The Brand Slogan of Hyundai is: Through NEW THINKING we will discover NEW POSSIBILITIES and I completely agree, now the new thinking is to cheat the customers by selling them older version & preowned cars, claiming them to be brand new and harassing the customer by not providing any documents (including most important documents like, Registration Certificate, Insurance Policy etc“,” regarding to buy hyundai i-10 grand, but sales executive Shamim Doesn’t provide me proper information and misbehaved during call he was talking to another peoples also, i also called at reception then receptionist said you will get a call back within 5 minutes but not get any call from their end“). Y. 84.76 |
| clutch plate|consum forum|insur polici|part part|chang clutch | 4.00 |
c(" My car also needed A/C servicing so I told them to do also I knew that my brake booster was not good enough to work so old them replace that but because of the parts unavailable they told me to make some deposit for the order of the part the part cost around 5300 just and told me to deposit the money I told them that I will make the deposit I couldn’t make the deposit as I had to go out of town so couldn’t deposit the money“,” Sir we know about your poor wiper system mode like low or high level not slower level as compare to other car company in this segment i have very disturb for this system why that company this poor system adopting for cost redusing and stand in compition to other car company su this poor system funda its not great funda so i request to company that other customers purchase hyundai car so changing this system and solve this problems of custmor or my also i wait that what the action take by company at custmor fever for satisfection or not thanks“,” We have a hyndai Creta car we had sent our car for an annual service appointment we were told that the brake pads and disc are worn out need to be replaced which costed us 11000 and rest everything was okk within two the car started giving problem we sent the car to the chunnabhatti hyndai service centre they said clutch plates need to be replaced which will cost 35000 how can a clutch plate get spoit in two days“,” To my surprise the service personnel immediately started telling that it is not the fault of the tyre (Note: there was not even a scratch on the car and also on the alloy wheel) and instead he stated that the whole expense should be borne by me as tyre dont not directly come under Hyundai warranty, they provided the forwarding letter and suggested me to go to the Goodyear dealer“,” Mumbai my all 4 tyres hv become flat how can you give dealership to such crooks/cheaters who dnt know how to run a service centre as we are very much harrassed by Shreeram Hyundai if any thing happens to my family by driving all 4 flat tyres which is a big risk Shreeram Hyundai and Hyundai Motors will be fully responsible“,” 106, sector 37, near hero honda chowk, gurugram, haryana 122001) they have given me the delivery dates 1st feb then 5th feb then 10th feb then 15th feb despite all the delay there is no clarity when will the car come, they have promised me to give the delivery within one month of booking and this coming 18th it will complete 1 month from the booking date and still i don’t know the status of my delivery“,” hello sir maine abhi 5 months pahle hi car li thi jo ki abhi sirf 3000 kms hi chal payi hai wo b sirf single hand me hi rahti hai aur koi nai chalata aur bahut hi safely chalti hai phir b itni jaldi uski clutch plate kharab ho gayi iske pahle first service ke time b clutch me problem thi par service ke bad use thik bataya gaya “,” i waited in bill section for almost for one hour but no body bothered to delivery my car, I finally requested bill clerk with folded hands to please deliver my car he took some some initiative and gave me bill, I was shocked to see Rs 1616/- the cost of one shook absober was charged to me in bill which was never replaced“,” I paid cash to the service center guys for installation and I was told that I will get the new unit however its been 1 month and still AC is neither repaired nor replaced, Worst part is I had word with 10 people within the Hyundai but still the problem remains the same after 1 month and 10 days“,” Anand Finally when I discussed this issue with a friend of mine in consumer forum he advised me to take this initial step of intimating the matter to your Grievance cell or customer care and just watch giving you reasonable time and follow it up slowly keeping copies of my letters to you and also sending same to Indian consumer forum at the same time“,” A few months back I had an accident of my car once and the same workshop had the head lights of my car replaced under insurance policy for new ones but later on I found out they had replaced the headlights of my car with repaired ones as it was visible I wen t back to the showroom, they apologized to me and immediately had new once placed in my car“). Y. 88.05 |
| consum court|front tyre|gear box|registr number|seat cover | 5.00 |
c(“Dear sir mera paas hyundai ki santafe jiska vechle no hr06 ad 9175 chassis no malsu81xmem010372*c engine no haahi hum apni gadi sa 25-3-2016 lo amritsir jaa rahe tha gadi raste main hi heat ho gyi maine amritsir hyundai main gadi check karne ka liaa di to unhone job card nhi banaya or thik kaar di uske baad jaab main 27-3-2016 ko wapis aaaraha tha too ludhiana gadi main heating ki problem dubara aaagayi too unhone kaha 4 diin gadi apko yaha deni hogi fiir hum check karke batayega to maine unhe kaha ki aap muje koi aisa rasta batao jo hum aoneghar bahadurgarh (Haryana) pahuch jaye to unhone kaha ki aap gadi main pani dalo or chala lo main gadi lekar bahadurgarh aaya to maine 2-3 diin baad apke yaha hyundai service center (Drishti hyundai i) main gadi khadi kaar di yaha inhone gadi check kari jisma koi leakage nhi thi to inhone muje gadi wapis dedi or bola gadi ok hai aap chalao 10-15 diin gadi main heating ki problem dubara hui to maine gadi dubara drishti hyundai main bhej di to unhone muje bola ki gadi ka headgas kit kharab ho gaya hai hum gadi ka hed gas kit change karega to inhone mera sa 6500 rs liya or muje gadi thik karke dedi thik hine ka 15-20 diin baad gadi 22-05-2016 ko raste main chalte chalte band ho gayi to maine drishti main call kiya to wo bola aaj sunday hai hum kuch nhi kaar sakte to maine wahi gadi side main khadi karke rsa ko phone kiya unhone gadi utah kaar drishti hyundai main khadi kaar di 2-3 diin baad hyundai sa aaaya ki aapki gadi ka engine seez ho gaya hai to aine unhe kaha main hyundai main complaint daaluga to unhone muje kaha aap gadi hamare ko dedo hum thik karke dedega maine unhe kaa ki main 1 rs bhi pay nhi karuga to unhone kaha thik hai maine gadi unhe dediii uske baad maine unhe saturday dt 11-6-2016 ko kaha ki muje dusri gadi provide karwa do muje bahar jana hai to vo muje bola hamare paas verna fludic hai lekin usma kuch problem hai technical peson hi chala sakta hai usse to aap i10 grand lejao maine unhe kaha ki muje i10 grand nhi chahiya aap uje friday 17-6-2016 taak meri gadi thik kaardo main apni hi lajaounga aaj friday dt 17-6-2016 ko unhone gadi to thik kaardi lekin vo bola ki aap abhi gadi ko bahar maat lejao koi problem aaasakti hai to maine unhe kaha ki aap muje koi bhi 7 seater gaddi provide karwa do to vo bola hum nhi karwa sakta maine kaha main taxi hire kaar leta hu uska jo bhi bill ho aap pay kaar dena gadi apne paas rakho jaab aap satisfied ho to gadi de dena to vo kehta hai ki aap taxi lejao hum 25% pay kaardega main bhut pareshan hu hyundai ki gadi lekar plz iska jaldi sa jaldi solution karo“,” i bought the i 20 sportz model on november 2013 from your authorised dealer Goyal hyndai ludhiana and when i done it with its 1 service on 1000 km i notice that my car headlight which is on right side are covered with fog from inside and i mention the problem to the one advisor that my car headlight is having fog from inside he tells me no problem in sunlight i work gud and fog will soaked up and on second time service which on 10000 km when i have done it same problem again repeat i told to him that problem again repeats he told me no problem sir your car is in warranty i will change your light under warranty and my car met with an accident after that from that side and the lupperlock of headlight breaks down when i got repair the car same problem again occur and now when i got the time to change my headlight they said that lock was broken so we cant change your light“,” Dear sir i brought new hyundai eon car in our lockal hyundai showroom 5 mounth ago, they make deal with me seat cover, tefelon coatting & rabbar cutting but still they are not making his promise true, means still they didnt finish jobe everyday i call them they ignoring me, today i want to the showroom for may 2nd service so i told them about his promise, but they still teling me come bake after week, and i have proof who give me on showroom on hand wrigting, they make promise to me, i just want to finish my problem, now i am thinking i made mistake to buy hyundai car, they are not risponding custemer,“,” I have purched my vehicle from mithila cars pvt Ltd Mira roadI had applied online an the showroom guys called me before booking the car this people wer followuping very much but after booking the customer service was very pathetic the entire staff wer only fooling the customer I paid my full amt but an had confirm them abt process they said will get this done in 2days an on delivery day I called them for the vehicle they said I have to still make payment so I was surpriised why so they said I had asked them the upper variant xcent s o which was given to me forcedly the execitive who came for booking he said the same carcariant I will get an I had got the quote aslo but on delivery day they said I have to a Pay more which was wrong and top of that wen I was trying this guys they wer not bother to attain my call which is very bad in servvice industry even I tried calling there Sr person he was also behaving same“,” my car is completely wobbling not only at high speet but also at low speed,i told them about this problem from first service but they said may be its balancing problem in first and second service and they will solve this problem in third service and they did balancing and alignment and after that nothing was changed the wobbling problem wasnt solved“,” Hi, I bought my new verna fludic on 25th mar 2015 after a week i got an issue above 40km speed noise was coming from front tyres it was very surprise when i given it for first service, on 23rd April 2015 the told me water go inside the disc and car was stand up for 10-15 days in such a case the problem occur, i told them i am using car on daily basis almost 60 km a day running never stand up for more than one day, they replace the disc but i want to know the actual cause, it seems to be a manufacturing defect which they want to hide“,” Sir I have booked an elite I20 in Aditya Hyundai Tamando, Bhubaneswar, Odisha on 21-12-2014 and immediately sanctioned the loan from sbi, BBSR and complain against non delivery car by customers care but instead I have not getting proper solution and they are telling your vehicle will be supply on month of April which is a too long time haressing the customer crossing the sbi bank loan limit kindly consider my case and take the necessary steps from your end for Immediate delivery of car specially for me for Whic4h I shall be greatfull to you Yours faithfully Amulya Kumar Samal ph no 7381884606“,” I purchased Hyundai Verna crdi sx bs iv on 10/11/2013 using army CSD facility from HIMGIRI MOTORS, GURGAON Registration number HR 16 N 1852 purchased dated 10 November 2013, same was wrongly updated by Hyundai 1 Jan 2013 giving me first setback as a Hyundai owner, after consistent follow up with the Hyundai dealer somehow i managed to get it updated only after producing valid proofs“,” So tell me the solution for this and inly six months giving waranty for compressor which means it will spoil after that, so that customer will pay for that“,” I purchased a i20 on 28-10-2016 on 29th when saw my car i saw that front tyre was punchured and i never made any penchure on tyre still there was a one repaired penchure so plz solve my problem the show room ones are not responding to my problm so kindly please take action and get me the new tyre and even they are too late give papers which i have to sumbt in r“,” My accident was held on 20 augest 2016 at kanpur road after ganga bridge i sent i car to khana hyundai at kanpur on 26 aug and i got it back after 4 month on 2 december and when i bring it back to lucknow and after next morning when i start it black smoke is come out from all the side of car and when i sent my car to lucknow hyundai they said that you have to take it back to khana hyundai and i am not satisfied with service and i spent total 1 lakhs 60 thousand rs and now i am planning to do an case on company and my car number is up32df7299“,” Let me be clear on the fact that I am fine with the genuine delay in delivery of the car, but I am extremely dissatisfied with how the customer service representatives treat their clients at Hyundai“,” Most Of the Hundai I10 Having the ECM complaint after 20000Km , unfortunately my I10 also having the same complaint and when i visited the workshop , says that need more than Rs30000/- for replacement, And This is the common complaint for most of the Hyundai I10 cars hence need to replace the ECm at free of cost “,” Mayilvanan owner of hyundai verna fluidic and the registration number is uk 07 ap 5247, in 2015 auguest i had a complaint in ac and went to dpm hyundai which is in dehradun and they inspected my car and said that car ac compressor got spoiled and has to replace with the new one“,” I am really scare about the product, why it happen when speed was around 30 and there was no other car, how car lost control due to tyre blast, what will happen when I will drive around 100 speed“,” I have purchased i10 car fro Fx Hyundai on 23-7-13 , (VIN : MALAM51CLDM411670 )(Temp Regn No : HR99PTT 6288 ) engine check light illuminate on 27th july and car sent to Fx Hyundai on 28th july and repaired vide invoice no 102509 but the same problem repeated on 30th July and this time car was repaired at Superon Hyundai (Unit of safdarjang Motors Pvt" ). Y. 74.82 |
| alloy wheel|engin engin|engin oil|wheel align|hard earn | 6.00 |
c(" So I registered my complaint on 29/10/14 and rahul Hyundai VP called me and said to me left your Car in Hyundai you will get your car with in one day and now you no need to pay anything and after one day The VP of Rahul Hyunadi told me you have to 17000 rs I told him you committed me you wont pay nothing they told me if you mailed our customer care thats why you have to pay other if youll dealy then you have to 30000rs this is the way the VP of Rahul Hyundai was talking to me“,” WHEN I REACHED ANOTHER DAY THEY MAKE EXCUSE AND NOT TOUCH MY CAR BECAUSE MY CAR IS A HYUNDYI ACCENT CRDI DIESAL CAR AND ANY MACHANIC OF THAT SERVICE CENTER HAVE A KNOWLEDGE OF THAT VEHICLE AFTER REPETED REQUEST ON MACHANIC CHECK MY CAR AND SAY U CHANG YOUR GLOW PLUG AND PARTS NOT AVAILABLE ON THAT SERVICE CENTER I BUY PARTS FROM DELHI AND PROVIDE BUT ON CHACKING OF GLOW PLUG ALL GLOW PLAUG ARE WORKING BECAUSE THAT MACHANIC HAVEINSUFFICIENT KNOWLEDGE ABOUT THAT CAR A“,” AFTER THAT STEP BY STEM HE ADVICE ME CHANGE INJECTOR I PURCHASED INJECTOR OF APPROX 15, 000 BEFORE THAT I PURCHASE GLOW PLUG OF 8, 000 BUT NOT ANY PROBLEM IN INJECTOR AFTER THAT STEP BY STEP LIKE A LITTLE BOY HE RESERCH, EXPERIMENT AND LEARN ON MY CAR AND PRACTICEING HIS MECHANICE KNOWLEDGE ON COST OF MY HARD EARN MONEY, AND NEVER SAY CLERALY KI HIS SERVICE CENTER IS NOT CAPABLE TO REPAIR THIS CAR BECAUSE OF LACK OF KNOWLEGE OF HIS MACHANICE“,” Sir i have purchased i10 grand asta in kun hyundai in anna nagar chennai, from the day i purchased till now four times i had serviced only in kun hyundai ambattur and once they said they getting ac complaint many i10 grand and they took my vehicle did some service n gave inspite of that the ac complaint not solved and from the last Service my engine consuming much engine oil and emitting much smoke this is happening only from last service and i called service centre n complained and till now i didnt get any call from centre please look in to the service part“,” Hi I had bought a headlamp from a vendor, but unfortunately one of the headlamp have a water leakage inside (Water vapour issue), when i approached a vendor back to replace the headlamp, he is like there is no replacement of hyundai genuine parts, need to checkout is there is no replacement truely its annoying paying so much money and not getting the right product“,” Sanjay gupta, but non of you are bother about giving proper ans and feedback and now its almost 1 and half month cross, but till date not proper feedback I have received from you people and nor my car, now in the last moment you people are saying that colour which I have ordered is not available, so your problem i have solved by choosing different colour for which the stock is available with other distributor“,” AND THEY WILL BE CHARGED ME BILL APPX 20000 AND THEY SAID YOUR CAR WILL BE UP TO DATE BUT TODAY AGAIN MY CAR A\C IS NOT WORKING AND CLUTHPLATE IS ALSO JAMMED AND VEHICLE IS HEAT, WHEN I CALL TO SILICON HYUNDAI THE PERSON TELL ME ITS YOUR PROBLEM DONT CALL ME(WAPAS SAHI KARANA HAI TO PAISA DENA PADEGA) AND I WILL PAY FOR AC AND CLUTCH 2 TIMES THEN AGAIN THIS PROBLEM AND HER NUMBER IS 08866096881“,” We have raised a compliant regarding the sales issue with customer care on 20/09/2015 ( SRID- 1-246614106) and subsequently we have again escalated the same and registered new complaint on 29/09/2015 (SRID - 1-256402898), but there no response or resolution from HMIL as on today“,” d) Our Vehicle details are as under :- Registration No UP 16AE 3222 Color - Purple Fantasia Chasis No MALCU1ULMB020038*F Engine No D4FBBU974550 Invoice No H201100483 Capital Hyndai, Sector 63, Noida Customer Name : Kiran Consultants Private Limited 1298 Sector 29, Noida) Vehicle was initially given for service to Capital Hyndai ->They told that ECM is defective which was unbeliveable and then we shifted the Vehicle with Nimbus Motors Pvt“,” 31st dec, Cancel the booking as today is last date for payment 1st Jan: came showroom to to cancel, but you told re think as your model option is not available and tell your decision on 4th Jan 4th Jan: other color is available and I told to cancel now you are saying the my selected option is available Asked to cancel and return the booking amount" ). Y. 81.04 |
| engin part|extra money|good condit|nois engin|steer jam | 7.00 |
c(" The car was delivered to me in 3 days and problem was resolved then [5]after a month i had to push start the car as it was not taking the self, again i approached the service station for the same and after spending 5 hours at the station the car was delivered to me saying that there was some problem with the battery charging and again i faced the same problem the next day, [6] again i approached the service station by making a call and requested them to pick up the car from my address and they did and returned the car in the evening at the same address and told that they have fixed a service battery until the new battery comes to them and took the necessary documents from me“,” a qaulity to prize when drive above 80 speed air noise is coming in not comfortable to drive and big problem is right side suspension is fault noise is coming like 10 years old car driving like that first service I inform to showroom they drive and check no problems that say, today also I go again inform they find noise they do wheel balancing and bolt nut check and make near 1700 R’s cash why I need pay cash because this problems is company manufacturing fault after i take car home again same sound is coming, I need refund my cash I no need car hyunday no qaulity and service other choice is I have to go consumer court againts hyndai Dealer name is Grand Hyundai Palakkad Kerala state“,” The issue with the car is that the seats of the car is RUSTED (PLEASE FIND THE ATTACHED PHOTO FOR UR REFERENCE, all what was possible to take have captured) A seat being rusted is never what I have seen or heard of I am owning at least almost 15-20 cars from i10 to Mercedes M Class Have never seen any problem in any car of mine I have been owning many cars of Hyundai in the lot Have recently after all this also booked the new Elantra 2015 I have never experienced such kind of service and bad experience“,” Hii My name is amita contact no 9967111584 and I have purchased hyundai xcent from Mithila hyundai from virar branch have faced very pathetic customer experience thay have taken extra amont from me not provided nad service ask about the documents and all the finance had done from myself then also they have taken 6k amount from me they have given me a dented car and not done registration up till now very bad service“,” [1] Its Armrest started making noises in two months and i got it replaced then in next two weeks its [2]Silencer broke down, first the service center tried to put the blame on me that car might have been bumped due to my negligence but when questioned that where do you even see a single scratch on the base or on the car they agreed that it was defective from the start and got it replaced then after few days the[3] NEW ARM REST which was replaced before again started making noises for which i believe i was cheated again and the part delivered was not original and since then i am driving with those scratching noises, [4]again when i was nearing 15000Kms some noise started coming from the engine and for that the car was taken twice to Hyundai Service Station but guess the professional engineers failed to figure out the problem and i was delivered the car saying the problem has been resolved but the problem was still there“,” I have purchase new verna 4s from the same dealer on 09/06/2015 and with in 4 months of my purchase there is bad noise in the clutch from second service and i have sent my car back to the dealer for the repair which they could n’t and been asked me to get it repaired on the 3rd service and during my third service i have reminded them about my old complaint which they couldn’t repair on my last two visits and they have assured me that the complaint will be resolved and i have also asked them to check the suspensions too“,” I gave the my car (Hyundai Sonata Gold) to the Hyundais service center (Morani Hyundai, Jaipur) in a good running condition without any abnormality in engine & general condition (except the small accidental Exterior damages) but for this 3-4 days work the service center took lots of weeks & then also the work was incomplete and very surprising and shocking - The engine started making abnormal loud and creaking noise, engine came is in critical condition, engine bearings are damaged, oil pump not working, engine needs overhauling with major expenses“,” I am a proud owner of I 20 elite Sports O I had sent my car for service in the month of Nov 15 for a Warranty Claim of my key less entry on my right driving door which was not working, I was informed that the product is unavailable and once available they will inform me now I sent my car for service last week and asked for the claim post which I am getting a response from the service advisor that the same is not possible as the warranty of the car expired on last Nov 16 I insisted that I claimed the same under warranty in Nov 15, Due to unavailability of the product was not replaced“,” Dear sir, Very good afternoon, I won the I20 on NOV 2012, City Nasik -Maharashtra Firstly I want to highlight the service provided for M/S Ujjwal Hyundai show room from Nasik is one of the worst service provider in India, I want explain the following bad experience with above mention dealer, 1-During free servicing 1 year back vehicle damaged from back side at dealer location only and send it as it is, you can think what was my condition at that time, new vehicle damaged some one and try to push the issue towards customer “,” I bought a Hyundai Verna(UP 78 BP 5670) car from Hyundai Advantage one month ago from Khanna Hyundai, swaroop nagar, kanpur but now I m feeling guilty on my decision for buying car from there“,” i was informed by the sales representative Joel Castelino that the car will be alloted to me by feb 5th 2015 and will be delivered to mumbai from chennai factory by the 10th feb 2015 after which the registration process will take 5-10 days maximum so was promised by 15th or maximum by the 20th of febuary i should recieve the delivery of the car“,” 20-08-2015 the second service was not responded 13-09-2015 the starting problem happen twice 09-11-2015 the third service was not properly responded and the Premier Dealer was not return our vehicle till now“,” One more concern to mention is that since I was gifting the vehicle to my parents, I had booked the vehicle in Advaith Hyundai, JLB road showroom which is near to our home, but the vehicle was delivered from the Advaith Hyundai, Belavadi Showroom which is very far away from home and which clearly indicates there is a case of cheating and a possibility of defective vehicle delivered“,” now i was just waiting for the delivery of the car i called the showroom to check the delivery i was told by joel that they have not yet received the Delivery order from the bank and once they recieve the DO (delivery order) the next day the car is forwarded for rto registration and since i was booking special number i just have to wait one day to get tax reciept and i can then take the delivery“). Y. 77.34 |
| registr number|cover warranti|engin oil|bodi cover|chasi number | 8.00 |
c(" i want to take to your attention towards my complaint that i had registered with you on complaint no 1-663314745 12/1/2014 after this complaint the dealer sent me his guy who sold me the car & he ask for the apology & he make an promise to me that they will full fill all there promises that they had made with me & they ask me to sign an letter in that it was written than i am satisfied & i want to take the complaint back as the guy said to me if I did not sign this paper than dealer will take away my job so I thought that i must cooperate with this guy but from that time no one ever come to me or ever give me a call & now I came to know that Samta Motors Ambala has closed his business also they had closed sales & everything I have the complaint number with me but there is no one to listen to me so i though to write this last email to you & i had attached the previous email & complaint number also if my matter is not resolved sooner i will put all this on the social media and i will put a copy of this email on my all blogs where there are too many visitors are visiting my blogs to read all software and other reviews i will put this on all of your reviews forums“,” I want to take your attention towards the issue I am facing i buy the hyundai i10 grand on Dec 2 2013 at the time of deal i was promised that they will offer me no cash discount but they will provide me matting & mud flap & body cover for my car but till day no one even gave me a call & fulfilled there promise & when i launched the complaint on the Hyundai site they send the same guy who sold me the car & he was saying kindly take your complaint back because if i refuse to do so the dealer will take away his Job & the Name of the Dealer is SAMTA MOTORS AMABLA CITY HARYANA so i sign & they promise me that they will provide me all the stuff with in no days & till date i am struggling to contact them & they are ignoring me I again contacted the hyundia website & again launch the complaint at this time they told me that they will contact me & they provide me teh concern person name & his phone number & regional off numbers “,” On our first conversation on phone you said to me that when you purchased the vehicle we never offer any discount but let me tell you that I did not ask for the discount & i was given the assurance that at the time of delivery we will provide you mat, mud flaps, matting & body cover & for that I am struggling if i want to say any lie than i might have told you that you promise me some cash discount but i never say that because dealer never told me about cash discount the only promise made to me was of the same i told you several times than you ask me to produce the proof i send you the same & again you are not taking your responsibility “,” Neelam singh maine xcent hundai s modal desal li jisme mujhe insurance ka raye kuch ur bataya ur insurance diya 14829 ka diya bataya tha 19216 ka Bataya jisme car ki value kam ho gai ur xroom prize bhi galat bataya jiski wajh se mujhe car mahngi padhi ur mai ab anhe contact karti hu to ph pic nahi karte agent name hai pradeep and sudhansu contact no hai 9616101896 and sudhansu ji ka 9919800561 jo mujhe Car dilaye hai jo kanpur road lucknow hundai showroom me kam karte hai plz mera paisa wapas dilane ki krapa kare “,” we were book car from navjivan moters, surat but we change model then navjivan dealers not given delivery withen 3 or 4 days then we book from silicon moters, surat and these dealer given delevery verna car withen 3 days, so we can purchase from silicon dealer and do not book other company, we book hyundai modal then genuinely company provide us refund amount“,” Respected Sir, I am extremely pissed off with the decision of buying a Hyundai Car, the extremely irresponsible sales people, Amar Ghare at Global Gallarie Marol branch Andheri, and Gauri who made the deal with us and accepted to give us car accessories and closed the deal and now she has left the job, and we are left with Amar who says Gauri did not make any such deal“,” he immediately cleaned the T Body than some pickup is on but not full as should be in vehicle, he suggested me come on Sunday we will go to some other mechanic shop where specially fuel injector cleaning is going than car pickup will be come again as should be“). Y. 80.38 |
| book amount|work shop|insur claim|warranti period|repair work | 9.00 |
c(" I purchaseed 2 car grand I 10 deisal car in Jan 2015 and it is very bad to know that the engine of this car is based on a cross with fiber only I can’t understand why this so as in my both car this cross is broken and I have changed it two times and I also come to know that the same problem is facing by most of grand I 10 customers so why this is made like this that can not perform on Indian roads so this is requesed to check the quality of this product which hold the entire engine“,” after 4 month the front tyre has swollen, the complaint of swollen tyre has registerd in showroom hyundai gwalior, but they not solve any problem and not listen, after two month two tyre front and back has busted and my and me just save from that incident, and hyundai showroom at gwalior, my viechel in warranty periode so please change the tyre and check technicle fault why tyre tyre on same side front and back has busted and one tyre is swollen, i think i select hyundai car because service are too good and car is too good, please maintain company reputation“,” hyundai service is worst, until we pay the money they will give response once we paid, they wont even lift the phone, i bought eon delight + car is good but services very bad, they collect more money from me, I have done a very big mistake by buying the hyundai car, I would have gone to maruti, maruthi service is very good comparing with hyundai, specifically laxmi hyundai, kukatpally is very very bad service, in worst case if any body wants to buy hyundai car plz go for another show room do not go to lakshmi hyundai kukatpally“,” But after some days i issuese some family problems then i call agent and says her i cancel my booking and i want my booking amount that time agent says yes sir no problem but sir when i go the showroom that time copmany not refund my booking amount and after my relative purches car then i also says for adjustment but it not agree“,” i hv purchased my grand I-10 car last year 2nd april 2014 I had suffered lot of different kind of problem of its oil chamber bursting out with a slight touch of ground two times in just a period of 30 days“,” I had given my car on 21st dec and dailly i call mr mohan and they lie to me and even the whole showroom members lied to me that they had given the bill to agent but they didnt and today my father spent 3 hours there and also the agent came and in front of us they mailed the bill and also they added the extra item in bill which meed not be replaced“,” But workshop manager is denying to repair and denying to send the vehicle to chandigarh or delhi to repair the injector of vehicle stating that he had already been sent the vehicle for to chandigarh for the same problems two or three times but they are unable to solve the problems of this vehicle and company had paid for the same two time“,” sir mai apni car ko 13/8/2015 ko accdient hone per car ko shiel hyundi mathura ko diya 20 din hone per bhi abhi tak kehate hai ki uska parts nahi hai sir kitne din mai car mil jaygi muje ho rahi prolamb ka kaun responsble hai jo muje financial loss ho raha uska kaun jimmedar hai anil kumar saraswat mathura mob“,” I book grand i10 meghna hundai 20-12-2016 colour ( twilight blue ) & my loan section 04-01-2017 today ( booking amount 5000/- 20-12-2016 & 27000/- 27-12-2016) planet hundai say today not avaible this colour my said not avaible this colour before said me to section load ( maninagar nr anupam cinema ahmedabad-300008) consumer care concact person number“,” i went to service centre and they told me that we have to give order of rear bumper to jaipur and it will come thereafter within four days, i came back and i called after 5 days they told me rear bumper is not available at jaipur it will take some more time again i called after 10 days again they told bumper is not available at tonk and not even jaipur also“,” Though we have raised our concerns & requested for Engine Overhaul Free of cost since our Car is sparingly used, single hand driven, regular maintenance done - through Hyundai Showrooms only) - we have been given an estimate of Approx Rs 50 K - Rs 60 K, by Modi Hyundai Thane" ). Y. 86.21 |
| chassi number|left side|air bag|gear gear|part chang | 10.00 |
c(" away from jaipur and they solve the problem but again after few weeks same problem comes and this time our car had stoped at kota railway station then kamal hyundai from kota take the car from the railqay station and they change the cluth plate n cylinders of the car and give it to us and that time car was running fine but again one day before diwali the same problem was coming to our car it stopped on the middile of the road then after calling to roadside assistance they take our car after one day and give it to kota kamal hyundai then this time they replace the cylinder and give it to us but again the same probelm we are facing in the car“,” I again called your customer and was rude, that is right that time as i was not getting the help/ support from your department, instead of pacify me your customer care person misbehaved with me and told me that " I AM NOT WORKING FOR YOU" JO KARNA HAI KARO", once i started shouting on him and told him that i am in trouble with family but you guys are not helping me, what do i do“,” When I was driving uphill road, it was unable to take load, it was not moving upward in third and second gear, when I shifted to first gear and accelerate, it was asking for second or third gear“,” Therefore there is a kind request from my side to investigate the case thoroughly take proper actions against the culprits and let me know if I can get my car with same chassis number and engine number back or with a new car by 1st of October 2014 along with the insurance risk because now it will take 20 to 25 days to get the car insured with different chassis number from previous one, I want each and everything to be streamlined and get my car along with proper insurance paper by 1st of October so that I can drive/travel easily“,” I took i20 elite sports, while taking the car I was told that you will get average of 18 km per ltr but I am getting 10 and on first servicing when I told that I am getting average of 10 they said after second servicing you will get 18, but it was not mentioned anywhere that after 2nd service it will improve“,” Hyundai have checked all recorded issues of the vehicles that were manufactured in the same batch as yours, with Chassis number of MALCU41UMCM071127, and can confirm the below recorded defects that were categorized as related to inherent manufacturing defects and if the same defects appear in your car will be repaired at free of charge“,” Here the manager put a condition in front of me that on that particular day they will provide servicing of mechanical parts of my car only and for servicing of rest of the parts like water servicing, vaccum cleaining etc I will have to come some other day“,” e eros hyundai Nagpur for the servicing of my hyundai eon but next day when I go to pickup my car my car battery is totally discharged and when I give my car too the servicing representative my car battery is full charge and when I complaining to the staff their reaction is very bad bad service too shame on u all people of eros hyundai Nagpur“,” Anu shankar (Sales executive) that the car manufactured in the month of 2016 september or august and it have 2 air bags, as per the promise i booked the car and paid full amount (Rs-541000 via hdfc bank and balance down payment from my side) before the delivery they given me promise that this car have 2 air bags and manufactured in the month of august or september but i received the car manufactured in the month of february and without air bag“,” I placed an order for Hyundai verna automatic variant on 6th april, for which dealer asked me to make a deposit of 1lac (whereas on Hyundai website, they shows ZERO down payment) so he can book the car and bring it within 20days from chennai manufacturing plant, since it is automatic he didn’t had it in his yard“,” I would like to suggest you, better your servicing centre should be directed from your end to atleast collect my car from Silchar town for completing the incomplete work of 3rd free servicing of my car because it may not be possible for me to further spare my official working days“). Y. 81.68 |
| top model|part replac|tyre replac|bank loan|clutch plate | 11.00 |
c(" AP-25, AJ-1503, car was service on 03/2015 (car was run for 18, 000/- KM) and delver the same day car was run for 20 KM after the Grey not working the same problem to inform the service advior by name is Venod the advior was advice the car came back to service center the problem not slow and car delver, again the same problem inform the service advior by name is Venod, now the car service is completed again approach the service center the advior is inform me Grey Box oil seal is damage and clutch also damage now packing problem for Rs“,” I would like to reinstate the fact that your actions have been extremely harassing, negligent and fraudulent in nature and thus it attracts liability of Section 2(1)(g) of the Consumer Protection Act, 1986 which defines deficiency as any fault, imperfection, shortcoming or inadequacy in the quality, nature and manner of performance which is required to be maintained by or under any law for the time being in force or has been undertaken to be performed by a person in pursuance of a contract or otherwise in relation to any service time being in force or has been undertaken to be performed by a person in pursuance of a contract or otherwise in relation to any service“,” I have given my i20 diesel car to morani hundai 22 godam, jaipur from last 10 days bcz suddenly engine was off while running and was not taking self and workshop workers are not taking any appropriate action against this so in future i’ll not be purchasing any hundai car bcz there’s not any proper reply and services in hundai workshops and lack of hundai car products in workshop that is the why i’m struggling from last 10 days and in all hundai diesel cars this problem happens around 1lakh kms so in future i’ll not prefer anyone for hundai“,” I am giving my car for regular service but they said your car doesn’t need service but your clutch is not working properly then i decided to change the clutch plate but when i get the car, clutch is not properly working and noise in silencer and silencer bolts are remove then they said we have to work for silencer then take bake the car and after that when they send the car silencer noise same then they said your silencer is totally failed but that time they charged me 11000 rs“,” They asked me to call here and there and finally after so much time, they said first I need to get the car on the road and then only they can say if they can send the assistance or not and how much time it will take for the truck to come to that place and how much time it will take to take to Hyundai service center“,” When my cousin who was accompaning my wife for the purchase understood that it wasn’t the top model, the lady sadly agreed that it was a middle model and that she had made a mistake in booking the top model and was scared for the same“,” I went to Mr Sarabjit Singh (Manager accidental repair) and Mr Vikram (from Body Shop) to get estimate of the damage to get insurance cover but they least bothered and kept me waiting for three hours to get the estimate only even after that they didnt provide me the same, in addition to this they lost the key of my car which they handed over to me after another half an hour“,” From the past few weeks, my son was frequently expressing problem and when approached the showroom the same representative told to approach the service center it will be sorted out, when approached the Hyundai service center, we were told clutch and some other parts need to be replaced and will cost Rs 33, 000/- plus, when asked about guarantee we were told clutch doesn’t come under guarantee“,” Also, your actions attract liability under Section 2(1)(r) of Consumer Protection Act, 1986, "unfair trade practice" means a trade practice which, for the purpose of promoting the sale, use or supply of any goods or for the provision of any service, adopts any unfair method or unfair or deceptive practice, including namely, falsely represents that the goods are of a particular standard, quality, grade, composition, style or model“,” I waited & didnt get any message from him(Executive named Illamurugan), So I called him & Asked his manager Contact Number, But he(Executive named Illamurugan) said I will talk to my manager and then will give you his Contact Number“). Y. 82.26 |
| manufactur defect|book book|sale execut|job card|driven km | 12.00 |
c(" laterwhen they came to take the down payment they informed us that it may take more days for the registration to this we said we want the car in 2 days or else we are not buying the sales person and the senior said that they will talk to the seniors in the showroom and will let us know and took the money and without informing us they deposited the amount“,” After that they tried to teach new key but at that time there system was showing wrong password and they were unable to activate new key and they said to come after few days by saying that we will inform to our head branch chennai and again call me to rectify problem but this time also same problem repeated and they are saying that your car password is not matching with company given password and u have to change your EMC, CAR LOCKING SYSTEM and IMMOBILIZER worth rupees 40000 - 45000 and they cant do anything“,” DEAR SIR YOUR DEALER IS SERIOUSLY MAKING FALSE COMMITMENT I WANA TO BUY EON BUT AT THE TIME OF DELIVERY THEY DENIED AND PURELY INSISTING FINANCE FROM THEIR DEALER OR COLLEGE BEFORE ALSO SAME ISSUE WAS THERE WHEN I WANT TO BUY XYLO AND DUE TO FALSE COMMITMENT I BOUGHT ERTIGA THIS IS SERIOUSLY DAMAGING COMPANY IMAGE YOU SHOULD SURVEY THIS GANDHIDHAM TERITORY WHITOUT KNOWLEDGE OF DEALER THE OWNER ITSELF WILL EXPLAIN THEIR PAIN REGARDING SERVICE DELIVERY PERIOD AND THE WAY OF TALKING THIS TIME ALSO I WILL BUY MARUTI 800 ALTO I HAVE TALKED TO OWNER MR“,” Hello, I, Sampat Jain, owner of i20 asta diesel model, VIN :- MALBB51SLBM380899, reg no :MH43AJ7917 wants to bring to your notice about your product being defective right from the time i purchased the car in january 2011, i had to face many issues from the day i purchased, Please check my record and you can see i have to go to the service center regularly“,” TN 18J 8106, from the day I have visited the service center for almost 17 times for a faulty clutch problem which used to very hard because of which I have got knee and joint pain for which medication is going on, Hyundai being completely an insensitive organization towards its customers needs to be banned completely, there is typical manufacturing defect which Hyundai dealer is not accepting not Hyundai India has any website or ombudsman to handle issues“,” if this will happen they will let me know this thing before getting the feedback from me in which they tell me that sales man is on leave and they will send it as soon possible and i give the correct feed back on her/him verbal voice“,” I have purchased a santro xing lpg fully loaded on 12/08/2014, but unfortunately after few months my car shows some problems in its lpg kit like overrace, less mileage, and most important the engine becomes off on road when the car is runing on road, i almost have checked it about 10 times at service center in srinagar but unfortunately my problem is still there so plz help me to get rid from these problems otherwise i will go consumer court“,” The connecting area to the pulley the both side of the shaft is flat and other area round and there is no sticky hold in this design, this itself misleads its manufacturing defect and other 2 shafts are also having the same problem, so concluded that this is a purely a manufacturing defect“). Y. 82.94 |
| bodi shop|test drive|repair cost|exchang bonus|power window | 13.00 |
c(" The issue with the car is that the seats of the car is RUSTED (PLEASE FIND THE ATTACHED PHOTO FOR UR REFERENCE, all what was possible to take have captured) A seat being rusted is never what I have seen or heard of I am owning at least almost 15-20 cars from i10 to Mercedes M Class Have never seen any problem in any car of mine I have been owning many cars of Hyundai in the lot Have recently after all this also booked the new Elantra 2015 I have never experienced such kind of service and bad experience“,” Yesterday, i had given my car for third free service to mithila mira road branch as the service was booked on friday and we were told that we will get our car on saturday itself as i have a family function and from saturday morning i clearly stated that i want my car by saturday evening 8pm as we wanted to attend a family function but from 6pm they started fooling us that our driver is stuck in traffic and you will recieve your car after 10 pm whereas your office closes at 8pm, we had a word with service manager as well at 7“,” I hv buy a creta from prestige hyundai jabalpur after few days i hv received a call from showroom that u come to our showroom and u will get coupon from sterling holidays i said i dnt have time but they are continously call to me then i visited showroom i hv spent my precious two hours then they said that u will get coupon in ur mail but till date i hv not received its not a matter of coupon its a matter of trust and loyality kindly tske an action against them“,” Due to the poor response in DSC, We have cancelled the order with DSC they have not intimated us about the cancellation charges nor they had a courtesy to inform the customer but they have charged Rs 3000 as cancellation and did not intimate the customer that the cheque is ready, After our regular follow up for a month, Once we approached them in mid of May 15 they are stating us that the cheque of Rs 7000 is ready“,” Aaj maine rohtak shrishti hyundai se creta ki test drive li jo ki test drive lete hue gadi ka accident hua side se thoda sa jiska shrishti walo ne dhmka kar mujhse 15000 rs le liye kya company ki gadi ka insaurance nahi hota plz meri help ki jaye mera pura plan tha creta ka aur main book karwane gya tha jo maine unko bola bhi wo bole ki apko 15000 dene pdenge“,” then after blaming game started i was pointing on HYUNDAI service, your service peoples were blaming on Body Shop repairs Body shop was trying and convincing me for keeping my car for 1 more day in service center, just because of your Engineers poor workmanship and manufactring defect i suffered “,” The Engineer was requested to check the pressure of tyre & it was noticed that the pressure of tyre was more then 45 in all tyre where as permissible air in the tyre is only 33 & even after request he has not mentioned the pressure of tyre in his inspection report“,” When i insisted to replace my tyre the Engineer Sh Himanshu has behaved very rudely that you go to either High court or Supreme court I will make my report as per my own whims and reiterated you do what ever you like“,” He told that there will be hike in vehicle price in November 2014 so best to book the vehicle(a Hyundai i10 Grand)with token amount Rs 1000, which is totally refundable in case i do not go ahead with the purchase" ). Y. 86 |
output_directory <- "D:/Data Science/Automobile complaint analysis/processed_data"
output_file = paste(output_directory,"/automobile_customer_complain_topics_",
format(Sys.Date(), "%Y%m%d"),".csv",sep="")
write.csv(comp_topicDF,output_file,row.names=FALSE)
print(paste(" \nFollowing output file created - ",output_file,sep=""))
[1] " output file created - D:/Data Science/Automobile complaint analysis/processed_data/automobile_customer_complain_topics_20171127.csv"